
    ihJ                         d dl Z d dlZd dlZd dlmZ d dlmZ d dlmZ d dlmZ d dlm	Z	 d dl
mZ d dlmZ d d	lmZ d d
lmZ d dlmZ d dlmZ d dlmZ d dlmZ  G d d      Zd Zy)    N)backend)metrics)ops)
optimizers)tree)LossScaleOptimizer)serialization_lib)CompileLoss)CompileMetrics)data_adapter_utils)python_utils)traceback_utils)trackingc                      e Zd Zd Zej
                  ej                  	 	 	 	 	 	 	 	 	 d d              Ze	d        Z
e
j                  d        Z
d Ze	d        Zej                  d        Ze	d	        Ze	d
        Zd Zd Z	 	 	 	 	 d!dZ	 	 	 	 	 d!dZd Z	 	 	 	 	 d!dZd"dZd Z	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 	 d#dZ	 	 	 	 	 	 	 	 d$dZ	 d%dZ	 	 	 	 d&dZ	 	 	 d'dZd Zd Zd Zd Z d Z!d Z"d"dZ#d(dZ$y))Trainerc                     d| _         d| _        d | _        d| _        d | _        d| _        d | _        dt        j                  | j                        j                  v | _        d | _        d | _        d | _        y )NF   training)_lock_run_eagerly_jit_compilecompiledlosssteps_per_execution_initial_epochinspect	signaturecompute_loss
parameters_compute_loss_has_training_arg_compile_loss_compile_metrics_loss_trackerselfs    X/var/www/html/dev/engine/venv/lib/python3.12/site-packages/keras/src/trainers/trainer.py__init__zTrainer.__init__   sx    
! 	#$ "'++D,=,=>III 	+
 " $!    Nc
           
         t        j                  |      }|| _        |	r[| j                  j                  dk(  rB| j                  r6t        | j                  t              st        | j                  d      | _        t        | d      r| j                  }
nd}
|t        |||
      | _
        || _        ||t        |||
      | _        |dk(  r|rd}n| j                         }|r|rd}t        j                   d	d
       || _        || _        d| _        d| _        t+        j,                  d      | _        || _        d| _        d| _        d| _        t9        j:                  ||||||||      | _        y)a8  Configures the model for training.

        Example:

        ```python
        model.compile(
            optimizer=keras.optimizers.Adam(learning_rate=1e-3),
            loss=keras.losses.BinaryCrossentropy(),
            metrics=[
                keras.metrics.BinaryAccuracy(),
                keras.metrics.FalseNegatives(),
            ],
        )
        ```

        Args:
            optimizer: String (name of optimizer) or optimizer instance. See
                `keras.optimizers`.
            loss: Loss function. May be a string (name of loss function), or
                a `keras.losses.Loss` instance. See `keras.losses`. A
                loss function is any callable with the signature
                `loss = fn(y_true, y_pred)`, where `y_true` are the ground truth
                values, and `y_pred` are the model's predictions.
                `y_true` should have shape `(batch_size, d0, .. dN)`
                (except in the case of sparse loss functions such as
                sparse categorical crossentropy which expects integer arrays of
                shape `(batch_size, d0, .. dN-1)`).
                `y_pred` should have shape `(batch_size, d0, .. dN)`.
                The loss function should return a float tensor.
            loss_weights: Optional list or dictionary specifying scalar
                coefficients (Python floats) to weight the loss contributions of
                different model outputs. The loss value that will be minimized
                by the model will then be the *weighted sum* of all individual
                losses, weighted by the `loss_weights` coefficients.  If a list,
                it is expected to have a 1:1 mapping to the model's outputs. If
                a dict, it is expected to map output names (strings) to scalar
                coefficients.
            metrics: List of metrics to be evaluated by the model during
                training and testing. Each of this can be a string (name of a
                built-in function), function or a `keras.metrics.Metric`
                instance. See `keras.metrics`. Typically you will use
                `metrics=['accuracy']`. A function is any callable with the
                signature `result = fn(y_true, _pred)`. To specify different
                metrics for different outputs of a multi-output model, you could
                also pass a dictionary, such as
                `metrics={'a':'accuracy', 'b':['accuracy', 'mse']}`.
                You can also pass a list to specify a metric or a list of
                metrics for each output, such as
                `metrics=[['accuracy'], ['accuracy', 'mse']]`
                or `metrics=['accuracy', ['accuracy', 'mse']]`. When you pass
                the strings 'accuracy' or 'acc', we convert this to one of
                `keras.metrics.BinaryAccuracy`,
                `keras.metrics.CategoricalAccuracy`,
                `keras.metrics.SparseCategoricalAccuracy` based on the
                shapes of the targets and of the model output. A similar
                conversion is done for the strings `"crossentropy"`
                and `"ce"` as well.
                The metrics passed here are evaluated without sample weighting;
                if you would like sample weighting to apply, you can specify
                your metrics via the `weighted_metrics` argument instead.
            weighted_metrics: List of metrics to be evaluated and weighted by
                `sample_weight` or `class_weight` during training and testing.
            run_eagerly: Bool. If `True`, this model's forward pass
                 will never be compiled. It is recommended to leave this
                 as `False` when training (for best performance),
                 and to set it to `True` when debugging.
            steps_per_execution: Int. The number of batches to run
                during each a single compiled function call. Running multiple
                batches inside a single compiled function call can
                greatly improve performance on TPUs or small models with a large
                Python overhead. At most, one full epoch will be run each
                execution. If a number larger than the size of the epoch is
                passed, the execution will be truncated to the size of the
                epoch. Note that if `steps_per_execution` is set to `N`,
                `Callback.on_batch_begin` and `Callback.on_batch_end` methods
                will only be called every `N` batches (i.e. before/after
                each compiled function execution).
                Not supported with the PyTorch backend.
            jit_compile: Bool or `"auto"`. Whether to use XLA compilation when
                compiling a model. For `jax` and `tensorflow` backends,
                `jit_compile="auto"` enables XLA compilation if the model
                supports it, and disabled otherwise.
                For `torch` backend, `"auto"` will default to eager
                execution and `jit_compile=True` will run with `torch.compile`
                with the `"inductor"` backend.
            auto_scale_loss: Bool. If `True` and the model dtype policy is
                `"mixed_float16"`, the passed optimizer will be automatically
                wrapped in a `LossScaleOptimizer`, which will dynamically
                scale the loss to prevent underflow.
        mixed_float16loss_scale_optimizer)nameoutput_namesN)r-   autoFzZIf `run_eagerly` is True, then `jit_compile` cannot also be True. Disabling `jit_compile`.   
stacklevelTr   )	optimizerr   loss_weightsr   weighted_metricsrun_eagerlyr   jit_compile)r   getr2   dtype_policyr,   
isinstancer   hasattrr-   r
   r!   r   r   r"   _resolve_auto_jit_compilewarningswarnr6   r5   stop_trainingr   metrics_moduleMeanr#   r   train_functiontest_functionpredict_functionr	   SerializableDict_compile_config)r%   r2   r   r3   r   r4   r5   r   r6   auto_scale_lossr-   s              r&   compilezTrainer.compile'   s{   P NN9-	"!!&&/9t~~/AB/%;DN 4(,,LL!,l"D DI"2">$2)%D! & #"<<>;KMM@ '&"+00f=#6 "! $0AA%-# 3#	 
r(   c                 \    | j                   | j                         | _         | j                   S N)r   r;   r$   s    r&   r6   zTrainer.jit_compile   s+    $ $ > > @D   r(   c                 f    |r(t        |       st        j                  d       d| _        y || _        y )NzNModel doesn't support `jit_compile=True`. Proceeding with `jit_compile=False`.F)model_supports_jitr<   r=   r   r%   values     r&   r6   zTrainer.jit_compile   s0    +D1MM7 !&D %Dr(   c                     t        j                          dk(  ryt        j                          dk(  rBdd l}|j                  j                         }t	        t        d |            sy| j                  ryt        |       ryy)NtorchF
tensorflowr   c                      | j                   dk7  S )NCPU)device_type)xs    r&   <lambda>z3Trainer._resolve_auto_jit_compile.<locals>.<lambda>   s    %)? r(   T)r   rP   configlist_physical_deviceslistfilter_distribute_strategyrK   )r%   tfdevicess      r&   r;   z!Trainer._resolve_auto_jit_compile   se    ??'??,#ii557G?IJ((d#r(   c                     | j                   S rI   r   r$   s    r&   r5   zTrainer.run_eagerly   s       r(   c                     || _         y rI   r^   rL   s     r&   r5   zTrainer.run_eagerly   s
    !r(   c                    g }| j                   r| j                  |j                  | j                         | j                  |j                  | j                         | j                  %|j                  | j                  j                         |j                  | j                         | j                  d      D ].  }t        |t              r|j                  |j                         0 |S )NF)include_self)r   r#   appendr"   r!   extendr   _metrics_flatten_layersr9   r   )r%   r   layers      r&   r   zTrainer.metrics   s     ==!!-t112$$0t445!!-t1199:t}}%))u)= 	*E%) NN5==)	* r(   c                 T    | j                   D cg c]  }|j                   c}S c c}w rI   )r   r,   r%   ms     r&   metrics_nameszTrainer.metrics_names  s     $-1---s   %c                 F    | j                   D ]  }|j                           y rI   )r   reset_staterh   s     r&   reset_metricszTrainer.reset_metrics  s     	AMMO	r(   c                 >   g }| j                   |j                  | j                          | j                  |j                  | j                         | j                  %|j	                  | j                  j
                         |j	                  | j                         |S rI   )r#   rb   r"   r!   rc   r   rd   )r%   r   s     r&   _get_own_metricszTrainer._get_own_metrics  s|    )NN4--.  ,NN4001)NN4--556t}}%r(   c                    ~~g }| j                   &| j                  |||      }||j                  |       | j                  D ]"  }|j                  | j                  |             $ t	        j                         dk7  rt        |      dk(  rt        d      t        |      dk(  r|d   }|S t        |      dk(  rt        j                  d      }|S t        j                  |      }|S )a  Compute the total loss, validate it, and return it.

        Subclasses can optionally override this method to provide custom loss
        computation logic.

        Example:

        ```python
        class MyModel(Model):
            def __init__(self, *args, **kwargs):
                super().__init__(*args, **kwargs)
                self.loss_tracker = metrics.Mean(name='loss')

            def compute_loss(self, x, y, y_pred, sample_weight, training=True):
                loss = ops.mean((y_pred - y) ** 2)
                loss += ops.sum(self.losses)
                self.loss_tracker.update_state(loss)
                return loss

            def reset_metrics(self):
                self.loss_tracker.reset_state()

            @property
            def metrics(self):
                return [self.loss_tracker]

        inputs = layers.Input(shape=(10,), name='my_input')
        outputs = layers.Dense(10)(inputs)
        model = MyModel(inputs, outputs)
        model.add_loss(ops.sum(outputs))

        optimizer = SGD()
        model.compile(optimizer, loss='mse', steps_per_execution=10)
        dataset = ...
        model.fit(dataset, epochs=2, steps_per_epoch=10)
        print(f"Custom loss: {model.loss_tracker.result()}")
        ```

        Args:
            x: Input data.
            y: Target data.
            y_pred: Predictions returned by the model (output of `model(x)`)
            sample_weight: Sample weights for weighting the loss function.
            training: Whether we are training or evaluating the model.

        Returns:
            The total loss as a scalar tensor, or `None` if no loss results
            (which is the case when called by `Model.test_step`).
        jaxr   z=No loss to compute. Provide a `loss` argument in `compile()`.r    )
r!   rb   losses_aggregate_additional_lossr   len
ValueErrorr   zerossum)	r%   rT   yy_predsample_weightr   rs   r   
total_losss	            r&   r   zTrainer.compute_loss!  s    t )%%a?Dd#KK 	ADMM$99$?@	A??%#f+*:O  v;!J
 	 [A2J  Jr(   c                 n    | j                   r| j                  |||||      S | j                  ||||      S )a  Backwards compatibility wrapper for `compute_loss`.

        This should be used instead `compute_loss` within `train_step` and
        `test_step` to support overrides of `compute_loss` that may not have
        the `training` argument, as this argument was added in Keras 3.3.
        r   )r    r   )r%   rT   ry   rz   r{   r   s         r&   _compute_losszTrainer._compute_lossp  sI     ..$$1fmh %   $$Q6=AAr(   c                     t        j                  |j                        s)t        j                  |t        j
                               }t        j                  |      S )a  Aggregates losses from `add_loss`, regularizers and sublayers.

        Args:
            loss: A tensor representing the additional loss to aggregate.

        Returns:
            A tensor representing the summed loss, cast to the `floatx()` if
            necessary.
        )dtype)r   is_float_dtyper   r   castfloatxrx   )r%   r   s     r&   rt   z"Trainer._aggregate_additional_loss  s;     %%djj188D(89Dwwt}r(   c	                 8   t        t        | j                  |            }	|	j                  t        | j                  |             |	j                  t        | j
                  |             t        j                  |	      5 }
| j                  |||||      }d d d        g }| j                  D ]$  }
j                  |      }|j                  |       & g }| j
                  D ]$  }
j                  |      }|j                  |       & |||ffS # 1 sw Y   zxY w)N)state_mappingr{   r   )rX   ziptrainable_variablesrc   non_trainable_variablesmetrics_variablesr   StatelessScoper   get_current_valuerb   )r%   r   r   r   rT   ry   rz   r{   r   var_mappingscoper   vnew_vs                 r&   stateless_compute_losszTrainer.stateless_compute_loss  s7    3t779LMN,,.EF	
 	3t557HIJ##+> 		% %%+! & D		 #%-- 	2A++A.E#**51	2
 '' 	,A++A.E$$U+	, #
 
 	
-		 		s    DDc                 v    ~| j                   | j                   j                  |||       | j                         S )a  Update metric states and collect all metrics to be returned.

        Subclasses can optionally override this method to provide custom metric
        updating and collection logic. Custom metrics are not passed in
        `compile()`, they can be created in `__init__` or `build`. They are
        automatically tracked and returned by `self.metrics`.

        Example:

        ```python
        class MyModel(Sequential):
            def __init__(self, *args, **kwargs):
                super().__init__(*args, **kwargs)
                self.custom_metric = MyMetric(name="custom_metric")

            def compute_metrics(self, x, y, y_pred, sample_weight):
                # This super call updates metrics from `compile` and returns
                # results for all metrics listed in `self.metrics`.
                metric_results = super().compute_metrics(
                    x, y, y_pred, sample_weight)

                # `metric_results` contains the previous result for
                # `custom_metric`, this is where we update it.
                self.custom_metric.update_state(x, y, y_pred, sample_weight)
                metric_results['custom_metric'] = self.custom_metric.result()
                return metric_results
        ```

        Args:
            x: Input data.
            y: Target data.
            y_pred: Predictions returned by the model output of `model.call(x)`.
            sample_weight: Sample weights for weighting the loss function.

        Returns:
            A `dict` containing values that will be passed to
            `keras.callbacks.CallbackList.on_train_batch_end()`. Typically,
            the values of the metrics listed in `self.metrics` are returned.
            Example: `{'loss': 0.2, 'accuracy': 0.7}`.
        )r"   update_stateget_metrics_result)r%   rT   ry   rz   r{   s        r&   compute_metricszTrainer.compute_metrics  s;    R   ,!!..q&-H&&((r(   c                     i }| j                   D ]C  }|j                         }t        |t              r|j	                  |       5|||j
                  <   E t        j                  |      S )al  Returns the model's metrics values as a dict.

        If any of the metric result is a dict (containing multiple metrics),
        each of them gets added to the top level returned dict of this method.

        Returns:
            A `dict` containing values of the metrics listed in `self.metrics`.
            Example: `{'loss': 0.2, 'accuracy': 0.7}`.
        )r   resultr9   dictupdater,   r   pythonify_logs)r%   return_metricsmetricr   s       r&   r   zTrainer.get_metrics_result  s`     ll 	5F]]_F&$'%%f-.4v{{+	5 **>::r(   c                     t         )a,  Trains the model for a fixed number of epochs (dataset iterations).

        Args:
            x: Input data. It can be:
                - A NumPy array (or array-like), or a list of arrays
                (in case the model has multiple inputs).
                - A backend-native tensor, or a list of tensors
                (in case the model has multiple inputs).
                - A dict mapping input names to the corresponding array/tensors,
                if the model has named inputs.
                - A `keras.utils.PyDataset` returning `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
                - A `tf.data.Dataset` yielding `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
                - A `torch.utils.data.DataLoader` yielding `(inputs, targets)`
                or `(inputs, targets, sample_weights)`.
                - A Python generator function yielding `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
            y: Target data. Like the input data `x`, it can be either NumPy
                array(s) or backend-native tensor(s). If `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or a Python generator function,
                `y` should not be specified since targets will be obtained from
                `x`.
            batch_size: Integer or `None`.
                Number of samples per gradient update.
                If unspecified, `batch_size` will default to 32.
                Do not specify the `batch_size` if your input data `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function
                since they generate batches.
            epochs: Integer. Number of epochs to train the model.
                An epoch is an iteration over the entire `x` and `y`
                data provided
                (unless the `steps_per_epoch` flag is set to
                something other than None).
                Note that in conjunction with `initial_epoch`,
                `epochs` is to be understood as "final epoch".
                The model is not trained for a number of iterations
                given by `epochs`, but merely until the epoch
                of index `epochs` is reached.
            verbose: `"auto"`, 0, 1, or 2. Verbosity mode.
                0 = silent, 1 = progress bar, 2 = one line per epoch.
                "auto" becomes 1 for most cases.
                Note that the progress bar is not
                particularly useful when logged to a file,
                so `verbose=2` is recommended when not running interactively
                (e.g., in a production environment). Defaults to `"auto"`.
            callbacks: List of `keras.callbacks.Callback` instances.
                List of callbacks to apply during training.
                See `keras.callbacks`. Note
                `keras.callbacks.ProgbarLogger` and
                `keras.callbacks.History` callbacks are created
                automatically and need not be passed to `model.fit()`.
                `keras.callbacks.ProgbarLogger` is created
                or not based on the `verbose` argument in `model.fit()`.
            validation_split: Float between 0 and 1.
                Fraction of the training data to be used as validation data.
                The model will set apart this fraction of the training data,
                will not train on it, and will evaluate the loss and any model
                metrics on this data at the end of each epoch. The validation
                data is selected from the last samples in the `x` and `y` data
                provided, before shuffling.
                This argument is only supported when `x` and `y` are made of
                NumPy arrays or tensors.
                If both `validation_data` and `validation_split` are provided,
                `validation_data` will override `validation_split`.
            validation_data: Data on which to evaluate
                the loss and any model metrics at the end of each epoch.
                The model will not be trained on this data. Thus, note the fact
                that the validation loss of data provided using
                `validation_split` or `validation_data` is not affected by
                regularization layers like noise and dropout.
                `validation_data` will override `validation_split`.
                It can be:
                - A tuple `(x_val, y_val)` of NumPy arrays or tensors.
                - A tuple `(x_val, y_val, val_sample_weights)` of NumPy
                arrays.
                - A `keras.utils.PyDataset`, a `tf.data.Dataset`, a
                `torch.utils.data.DataLoader` yielding `(inputs, targets)` or a
                Python generator function yielding `(x_val, y_val)` or
                `(inputs, targets, sample_weights)`.
            shuffle: Boolean, whether to shuffle the training data before each
                epoch. This argument is ignored when `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function.
            class_weight: Optional dictionary mapping class indices (integers)
                to a weight (float) value, used for weighting the loss function
                (during training only).
                This can be useful to tell the model to
                "pay more attention" to samples from
                an under-represented class. When `class_weight` is specified
                and targets have a rank of 2 or greater, either `y` must be
                one-hot encoded, or an explicit final dimension of `1` must
                be included for sparse class labels.
            sample_weight: Optional NumPy array or tensor of weights for
                the training samples, used for weighting the loss function
                (during training only). You can either pass a flat (1D)
                NumPy array or tensor with the same length as the input samples
                (1:1 mapping between weights and samples), or in the case of
                temporal data, you can pass a 2D NumPy array or tensor with
                shape `(samples, sequence_length)` to apply a different weight
                to every timestep of every sample.
                This argument is not supported when `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function.
                Instead, provide `sample_weights` as the third element of `x`.
                Note that sample weighting does not apply to metrics specified
                via the `metrics` argument in `compile()`. To apply sample
                weighting to your metrics, you can specify them via the
                `weighted_metrics` in `compile()` instead.
            initial_epoch: Integer.
                Epoch at which to start training
                (useful for resuming a previous training run).
            steps_per_epoch: Integer or `None`.
                Total number of steps (batches of samples) before declaring one
                epoch finished and starting the next epoch. When training with
                input tensors or NumPy arrays, the default `None` means that the
                value used is the number of samples in your dataset divided by
                the batch size, or 1 if that cannot be determined.
                If `x` is a `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function, the
                epoch will run until the input dataset is exhausted. When
                passing an infinitely repeating dataset, you must specify the
                `steps_per_epoch` argument, otherwise the training will run
                indefinitely.
            validation_steps: Integer or `None`.
                Only relevant if `validation_data` is provided.
                Total number of steps (batches of samples) to draw before
                stopping when performing validation at the end of every epoch.
                If `validation_steps` is `None`, validation will run until the
                `validation_data` dataset is exhausted. In the case of an
                infinitely repeating dataset, it will run indefinitely. If
                `validation_steps` is specified and only part of the dataset
                is consumed, the evaluation will start from the beginning of the
                dataset at each epoch. This ensures that the same validation
                samples are used every time.
            validation_batch_size: Integer or `None`.
                Number of samples per validation batch.
                If unspecified, will default to `batch_size`.
                Do not specify the `validation_batch_size` if your data is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function
                since they generate batches.
            validation_freq: Only relevant if validation data is provided.
                Specifies how many training epochs to run
                before a new validation run is performed,
                e.g. `validation_freq=2` runs validation every 2 epochs.

        Unpacking behavior for iterator-like inputs:
            A common pattern is to pass an iterator like object such as a
            `tf.data.Dataset` or a `keras.utils.PyDataset` to `fit()`,
            which will in fact yield not only features (`x`)
            but optionally targets (`y`) and sample weights (`sample_weight`).
            Keras requires that the output of such iterator-likes be
            unambiguous. The iterator should return a tuple
            of length 1, 2, or 3, where the optional second and third elements
            will be used for `y` and `sample_weight` respectively.
            Any other type provided will be wrapped in
            a length-one tuple, effectively treating everything as `x`. When
            yielding dicts, they should still adhere to the top-level tuple
            structure,
            e.g. `({"x0": x0, "x1": x1}, y)`. Keras will not attempt to separate
            features, targets, and weights from the keys of a single dict.
            A notable unsupported data type is the `namedtuple`. The reason is
            that it behaves like both an ordered datatype (tuple) and a mapping
            datatype (dict). So given a namedtuple of the form:
            `namedtuple("example_tuple", ["y", "x"])`
            it is ambiguous whether to reverse the order of the elements when
            interpreting the value. Even worse is a tuple of the form:
            `namedtuple("other_tuple", ["x", "y", "z"])`
            where it is unclear if the tuple was intended to be unpacked
            into `x`, `y`, and `sample_weight` or passed through
            as a single element to `x`.

        Returns:
            A `History` object. Its `History.history` attribute is
            a record of training loss values and metrics values
            at successive epochs, as well as validation loss values
            and validation metrics values (if applicable).
        NotImplementedError)r%   rT   ry   
batch_sizeepochsverbose	callbacksvalidation_splitvalidation_datashuffleclass_weightr{   initial_epochsteps_per_epochvalidation_stepsvalidation_batch_sizevalidation_freqs                    r&   fitzTrainer.fit   s    P "!r(   c	                     t         )aS  Returns the loss value & metrics values for the model in test mode.

        Computation is done in batches (see the `batch_size` arg.)

        Args:
            x: Input data. It can be:
                - A NumPy array (or array-like), or a list of arrays
                (in case the model has multiple inputs).
                - A backend-native tensor, or a list of tensors
                (in case the model has multiple inputs).
                - A dict mapping input names to the corresponding array/tensors,
                if the model has named inputs.
                - A `keras.utils.PyDataset` returning `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
                - A `tf.data.Dataset` yielding `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
                - A `torch.utils.data.DataLoader` yielding `(inputs, targets)`
                or `(inputs, targets, sample_weights)`.
                - A Python generator function yielding `(inputs, targets)` or
                `(inputs, targets, sample_weights)`.
            y: Target data. Like the input data `x`, it can be either NumPy
                array(s) or backend-native tensor(s). If `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or a Python generator function,
                `y` should not be specified since targets will be obtained from
                `x`.
            batch_size: Integer or `None`.
                Number of samples per batch of computation.
                If unspecified, `batch_size` will default to 32.
                Do not specify the `batch_size` if your input data `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function
                since they generate batches.
            verbose: `"auto"`, 0, 1, or 2. Verbosity mode.
                0 = silent, 1 = progress bar, 2 = single line.
                `"auto"` becomes 1 for most cases.
                Note that the progress bar is not
                particularly useful when logged to a file, so `verbose=2` is
                recommended when not running interactively
                (e.g. in a production environment). Defaults to `"auto"`.
            sample_weight: Optional NumPy array or tensor of weights for
                the training samples, used for weighting the loss function
                (during training only). You can either pass a flat (1D)
                NumPy array or tensor with the same length as the input samples
                (1:1 mapping between weights and samples), or in the case of
                temporal data, you can pass a 2D NumPy array or tensor with
                shape `(samples, sequence_length)` to apply a different weight
                to every timestep of every sample.
                This argument is not supported when `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function.
                Instead, provide `sample_weights` as the third element of `x`.
                Note that sample weighting does not apply to metrics specified
                via the `metrics` argument in `compile()`. To apply sample
                weighting to your metrics, you can specify them via the
                `weighted_metrics` in `compile()` instead.
            steps: Integer or `None`.
                Total number of steps (batches of samples) to draw before
                declaring the evaluation round finished. If `steps` is `None`,
                it will run until `x` is exhausted. In the case of an infinitely
                repeating dataset, it will run indefinitely.
            callbacks: List of `keras.callbacks.Callback` instances.
                List of callbacks to apply during evaluation.
            return_dict: If `True`, loss and metric results are returned as a
                dict, with each key being the name of the metric.
                If `False`, they are returned as a list.

        Returns:
            Scalar test loss (if the model has a single output and no metrics)
            or list of scalars (if the model has multiple outputs
            and/or metrics). The attribute `model.metrics_names` will give you
            the display labels for the scalar outputs.
        r   )
r%   rT   ry   r   r   r{   stepsr   return_dictkwargss
             r&   evaluatezTrainer.evaluate  s    j "!r(   c                     t         )a
  Generates output predictions for the input samples.

        Computation is done in batches. This method is designed for batch
        processing of large numbers of inputs. It is not intended for use inside
        of loops that iterate over your data and process small numbers of inputs
        at a time.

        For small numbers of inputs that fit in one batch,
        directly use `__call__()` for faster execution, e.g.,
        `model(x)`, or `model(x, training=False)` if you have layers such as
        `BatchNormalization` that behave differently during
        inference.

        Note: See [this FAQ entry](
        https://keras.io/getting_started/faq/#whats-the-difference-between-model-methods-predict-and-call)
        for more details about the difference between `Model` methods
        `predict()` and `__call__()`.

        Args:
            x: Input data. It can be:
                - A NumPy array (or array-like), or a list of arrays
                (in case the model has multiple inputs).
                - A backend-native tensor, or a list of tensors
                (in case the model has multiple inputs).
                - A dict mapping input names to the corresponding array/tensors,
                if the model has named inputs.
                - A `keras.utils.PyDataset`.
                - A `tf.data.Dataset`.
                - A `torch.utils.data.DataLoader`.
                - A Python generator function.
            batch_size: Integer or `None`.
                Number of samples per batch of computation.
                If unspecified, `batch_size` will default to 32.
                Do not specify the `batch_size` if your input data `x` is a
                `keras.utils.PyDataset`, `tf.data.Dataset`,
                `torch.utils.data.DataLoader` or Python generator function
                since they generate batches.
            verbose: `"auto"`, 0, 1, or 2. Verbosity mode.
                0 = silent, 1 = progress bar, 2 = single line.
                `"auto"` becomes 1 for most cases. Note that the progress bar
                is not particularly useful when logged to a file,
                so `verbose=2` is recommended when not running interactively
                (e.g. in a production environment). Defaults to `"auto"`.
            steps: Total number of steps (batches of samples) to draw before
                declaring the prediction round finished. If `steps` is `None`,
                it will run until `x` is exhausted. In the case of an infinitely
                repeating dataset, it will run indefinitely.
            callbacks: List of `keras.callbacks.Callback` instances.
                List of callbacks to apply during prediction.

        Returns:
            NumPy array(s) of predictions.
        r   )r%   rT   r   r   r   r   s         r&   predictzTrainer.predict!  s    p "!r(   c                     t         )a/  Runs a single gradient update on a single batch of data.

        Args:
            x: Input data. Must be array-like.
            y: Target data. Must be array-like.
            sample_weight: Optional array of the same length as x, containing
                weights to apply to the model's loss for each sample.
                In the case of temporal data, you can pass a 2D array
                with shape `(samples, sequence_length)`, to apply a different
                weight to every timestep of every sample.
            class_weight: Optional dictionary mapping class indices (integers)
                to a weight (float) to apply to the model's loss for the samples
                from this class during training. This can be useful to tell the
                model to "pay more attention" to samples from an
                under-represented class. When `class_weight` is specified
                and targets have a rank of 2 or greater, either `y` must
                be one-hot encoded, or an explicit final dimension of 1
                must be included for sparse class labels.
            return_dict: If `True`, loss and metric results are returned as a
                dict, with each key being the name of the metric. If `False`,
                they are returned as a list.

        Returns:
            A scalar loss value (when no metrics and `return_dict=False`),
            a list of loss and metric values
            (if there are metrics and `return_dict=False`), or a dict of
            metric and loss values (if `return_dict=True`).
        r   )r%   rT   ry   r{   r   r   s         r&   train_on_batchzTrainer.train_on_batch[  s    H "!r(   c                     t         )a  Test the model on a single batch of samples.

        Args:
            x: Input data. Must be array-like.
            y: Target data. Must be array-like.
            sample_weight: Optional array of the same length as x, containing
                weights to apply to the model's loss for each sample.
                In the case of temporal data, you can pass a 2D array
                with shape `(samples, sequence_length)`, to apply a different
                weight to every timestep of every sample.
            return_dict: If `True`, loss and metric results are returned as a
                dict, with each key being the name of the metric. If `False`,
                they are returned as a list.

        Returns:
            A scalar loss value (when no metrics and `return_dict=False`),
            a list of loss and metric values
            (if there are metrics and `return_dict=False`), or a dict of
            metric and loss values (if `return_dict=True`).
        r   )r%   rT   ry   r{   r   s        r&   test_on_batchzTrainer.test_on_batch  s
    6 "!r(   c                     t         )zReturns predictions for a single batch of samples.

        Args:
            x: Input data. It must be array-like.

        Returns:
            NumPy array(s) of predictions.
        r   )r%   rT   s     r&   predict_on_batchzTrainer.predict_on_batch  s
     "!r(   c                 j    | j                   r&t        | d      r| j                  j                         S i S )a?  Returns a serialized config with information for compiling the model.

        This method returns a config dictionary containing all the information
        (optimizer, loss, metrics, etc.) with which the model was compiled.

        Returns:
            A dict containing information for compiling the model.
        rE   )r   r:   rE   	serializer$   s    r&   get_compile_configzTrainer.get_compile_config  s/     ==WT+<=''1133	r(   c                 R   | j                   j                  t        j                  k7  }|rt        j                  dd       yt        j                  |      } | j                  di | t        | d      r3| j                  r&| j                  j                  | j                         yyy)a  Compiles the model with the information given in config.

        This method uses the information in the config (optimizer, loss,
        metrics, etc.) to compile the model.

        Args:
            config: Dict containing information for compiling the model.
        a+  `compile()` was not called as part of model loading because the model's `compile()` method is custom. All subclassed Models that have `compile()` overridden should also override `get_compile_config()` and `compile_from_config(config)`. Alternatively, you can call `compile()` manually after loading.r/   r0   Nr2   rr   )	__class__rG   r   r<   r=   r	   deserialize_keras_objectr:   builtr2   buildr   )r%   rV   has_overridden_compiles      r&   compile_from_configzTrainer.compile_from_config  s     "&!7!77??!J!MM; 	 ";;FCv4%$**NN  !9!9: +5%r(   c                     |dz   }t        |t              r||z  dk(  S t        |t              r||v S t        d| dt	        |       d      )Nr   r   zJExpected `validation_freq` to be a list or int. Received: validation_freq=z of the type .)r9   intrX   rv   type)r%   epochr   s      r&   _should_evalzTrainer._should_eval  si    	os+?*a//.O++--<,= >_-.a1 r(   c                     | j                         }t        |t              r5t        |j	                               t        |j	                               k(  r|S |S )a  Returns model metrics as a dict if the keys match with input logs.

        When the training / evaluation is performed with an asynchronous steps,
        the last scheduled `train / test_step` may not give the latest metrics
        because it is not guaranteed to be executed the last. This method gets
        metrics from the model directly instead of relying on the return from
        last step function.

        When the user has custom train / test step functions, the metrics
        returned may be different from `Model.metrics`. In those instances,
        this function will be no-op and return the logs passed in.

        Args:
            logs: A `dict` of metrics returned by train / test step function.

        Returns:
            A `dict` containing values of the metrics listed in `self.metrics`
            when logs and model metrics keys match. Otherwise it returns input
            `logs`.
        )r   r9   r   setkeys)r%   logsmetric_logss      r&   _get_metrics_result_or_logsz#Trainer._get_metrics_result_or_logs  sP    * --/ dD!c$))+&6#;
 '
 r(   c                    g }| j                   D ]U  }t        |t              r(||j                   D cg c]  }|j                   c}z  };|j	                  |j                         W g }|D ]  }||v s|j	                  ||           t        |j                               D ]  }||vs|j	                  ||           t        |      dk(  r|d   S |S c c}w )zBTurns `logs` dict into a list as per key order of `metrics_names`.r   r   )r   r9   r   r,   rb   sortedr   ru   )r%   r   metric_namesr   
sub_metricresultsr,   keys           r&   _flatten_metrics_in_orderz!Trainer._flatten_metrics_in_order  s    ll 	1F&.16<nn!(2JOO!  ##FKK0	1   	+Dt|tDz*	+ $))+& 	*C,&tCy)	* w<11:!s   Cc                 t    | j                   s,d}t        r|dz  }t        |      |d| dz  }t        |      y )Nz!You must call `compile()` before zusing the model.z	calling `z()`.)r   r?   rv   )r%   method_namemsgs      r&   _assert_compile_calledzTrainer._assert_compile_called  sL    }}5C)) S/! ;-t44S/! r(   c                    t        d | j                         D               }| j                  d uxr | j                  j                   }| j                  d uxr | j                  j                   }| j
                  d uxr | j
                  j                   }|s|s|rd }|2|D ]-  \  }}	t        |	t        t        f      r|	d   }nt        |	      } n t        j                  ||      }t        j                  |      \  }
}}	 t        j                  | |
d      }|r$t        j                  | j$                  |
|||       |r%t        j                  | j&                  |
|||d	       |r%| j
                  j)                  | j*                         | j-                          y # t         $ r}t#        d| d      d }~ww xY w)
Nc              3   4   K   | ]  }|j                     y wrI   )r   ).0rf   s     r&   	<genexpr>z*Trainer._symbolic_build.<locals>.<genexpr>  s     PP   c                     | y t        j                  | j                  t        j                  | j                              S rI   )r   KerasTensorshapestandardize_dtyper   )r   s    r&   to_symbolic_inputz2Trainer._symbolic_build.<locals>.to_symbolic_input+  s5    9**GGW66qww? r(   r   Fr~   a+  Unable to automatically build the model. Please build it yourself before calling fit/evaluate/predict. A model is 'built' when its variables have been created and its `self.built` attribute is True. Usually, calling the model on a batch of data is the right way to build it.
Exception encountered:
'')r{   r   )allre   r"   r   r!   r2   r9   rX   tuplenextr   map_structurer   unpack_x_y_sample_weightr   compute_output_spec	ExceptionRuntimeErrorr   r   r   r   _post_build)r%   iterator
data_batchmodel_unbuiltcompile_metrics_unbuiltcompile_loss_unbuiltoptimizer_unbuiltr   _data_or_iteratorrT   ry   r{   rz   es                  r&   _symbolic_buildzTrainer._symbolic_build  s   P9M9M9OPPP!!- 0))/// 	 
 d*K43E3E3K3K/K 	 NN$&Ct~~/C/C+C 	 37K !+3 'A'!"2T5MB%5a%8
%)*:%;
 ++,=zJJ
 #;;JG	 44T1uM '++(("/ $++&&"/" NN  !9!9:E  " s!
 
s   F! !	F>*F99F>)	rmspropNNNNFr   r.   T)NNNNTrI   )NNNr   r.   Ng        NTNNr   NNNr   )NNNr.   NNNF)Nr.   NN)NNNF)NNF)NN)%__name__
__module____qualname__r'   r   filter_tracebackr    no_automatic_dependency_trackingrG   propertyr6   setterr;   r5   r   rj   rm   ro   r   r   rt   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r   rr   r(   r&   r   r      s   "$ %%.. _
 / &_
B ! ! & &* ! ! " "  ( . .	 
Mb 
B*& 
*
X,)\;* 
"#H"X 
U"p IM8"z $"R ":	";8>*"Ir(   r   c                 x   t        j                         dk(  r]dt        j                         j                         v r9t	        j                         dk(  r"ddlm} |j                  j                  d      ryt        d | j                         D              r&t	        j                         dk(  rdd	lm}  |       ryy
y)NDarwinarmrP   r   )rP   GPUFc              3   4   K   | ]  }|j                     y wrI   )supports_jit)r   rT   s     r&   r   z%model_supports_jit.<locals>.<genexpr>q  s     
;a1>>
;r   )is_op_determinism_enabledT)platformsystem	processorlowerr   keras.src.utils.module_utilsrP   rV   rW   r   re   "tensorflow.python.framework.configr	  )modelr[   r	  s      r&   rK   rK   h  s    H$(2D2D2F2L2L2N)N??,Eyy..u5

;5#8#8#:
;;??, )* r(   )r   r
  r<   	keras.srcr   r   r?   r   r   r   )keras.src.optimizers.loss_scale_optimizerr   keras.src.savingr	    keras.src.trainers.compile_utilsr
   r    keras.src.trainers.data_adaptersr   keras.src.utilsr   r   r   r   rK   rr   r(   r&   <module>r     sG        /     H . 8 ; ? ( + $Q Qh"r(   