Si aún no has leído las instrucciones de autoinstrumentación y configuración, comienza por las Instrucciones de configuración de PHP . Aunque Datadog no admita oficialmente tu marco web, es posible que no necesites realizar ninguna instrumentación manual. Consulta Instrumentación automática para obtener más detalles.

Anotaciones

Si utilizas PHP 8, a partir de la v0.84 del rastreador, puedes añadir atributos a tu código para instrumentar. Es una alternativa más sencilla a la instrumentación personalizada escrita en código. Por ejemplo, añade el atributo #[DDTrace\Trace] a los métodos de Datadog para rastrearlos.

<?php
class Server {
    #[DDTrace\Trace(name: "spanName", resource: "resourceName", type: "Custom", service: "myService", tags: ["aTag" => "aValue"])]
    static function process($arg) {}

    #[DDTrace\Trace]
    function get() {
      Foo::simple(1);
    }
}

Puedes proporcionar los siguientes argumentos:

  • $name: el nombre de la operación que se asignará al tramo. Por defecto es el nombre de la función.
  • $resource: el recurso que se asignará al tramo.
  • $type: el tipo que se asignará al tramo.
  • $service: el servicio que se asignará al tramo. Por defecto es el nombre predeterminado o heredado del servicio.
  • $tags: las etiquetas (tags) que se asignarán al tramo.
  • $recurse: si se rastrearán las llamadas recursivas.
  • $run_if_limited: si la función debe ser rastreada en el modo limitado. (Por ejemplo, cuando se supera el límite del tramo).
Si el espacio de nombres está presente, debes utilizar el nombre completo del atributo #[\DDTrace\Trace]. Alternativamente, puedes importar el espacio de nombres con use DDTrace\Trace; y usar #[Trace].

Redacción de la instrumentación personalizada

Si necesitas redactar tu propia instrumentación personalizada, considera la siguiente aplicación de ejemplo y analiza los ejemplos de codificación.

Una aplicación de ejemplo para instrumentar

Supongamos la siguiente estructura de directorios:

.
|-- composer.json
|-- docker-compose.yml
|-- index.php
`-- src
    |-- Exceptions
    |   `-- NotFound.php
    |-- Services
    |   `-- SampleRegistry.php
    `-- utils
        `-- functions.php

Dentro de esto, dos archivos contienen las funciones y métodos que nos interesa instrumentar. Los archivos más relevantes son src/utils/functions.php:

src/utils/functions.php

namespace App;

function some_utility_function($someArg)
{
    return 'result';
}

Y src/Services/SampleRegistry.php:

src/Services/SampleRegistry.php

namespace App\Services;

use App\Exceptions\NotFound;
use Exception;

class SampleRegistry
{
    public function put($key, $value)
    {
        \App\some_utility_function('some argument');
        // Devuelve el Id. del elemento insertado
        return 456;
    }

    public function faultyMethod()
    {
        throw new Exception('Generated at runtime');
    }

    public function get($key)
    {
        // El servicio usa una excepción para informar que no se encontró una clave.
        throw new NotFound('The key was not found');
    }

    public function compact()
    {
        // Esta función ejecuta algunas operaciones en el registro y
        // no devuelve nada. En el medio de la función, tenemos un
        // valor interesante que no se devuelve, pero puede estar relacionado
        // con la lentitud de la función

        $numberOfItemsProcessed = 123;

        // ...
    }
}

Redacción de la instrumentación personalizada

Para redactar la instrumentación personalizada, no necesitas ningún paquete de composer adicional.
La API de Datadog APM PHP está completamente documentada en stubs. Esto te permite tener documentación automatizada en PHPStorm. Puedes consultar el archivo stub para obtener más información sobre la API de Datadog APM PHP.

Para evitar mezclar la lógica de negocio de la aplicación o del servicio con el código de instrumentación, escribe el código necesario en un archivo independiente.

  1. Crea un archivo datadog/instrumentation.php y añádelo al cargador automático de composer.

    composer.json

    {
        ...
        "autoload": {
            ...
            "files": [
                ...
                "datadog/instrumentation.php"
            ]
        },
        ...
    }
       
  2. Vuelca el cargador automático, por ejemplo, ejecutando composer dump.

    Note: The file that contains the custom instrumentation code and the actual classes that are instrumented are not required to be in the same code base and package. By separating them, you can publish an open source composer package, for example to GitHub, containing only your instrumentation code, which others might find useful. Registering the instrumentation entry point in the composer.json's autoload.files array ensures that the file is always executed when the composer autoloader is required.
  3. En el archivo datadog/instrumentation.php, comprueba si la extensión está cargada. Si la extensión no está cargada, entonces todas las funciones utilizadas en este archivo no existen.

    datadog/instrumentation.php

    if (!extension_loaded('ddtrace')) {
        return;
    }
       
    
  4. Instrumenta una función, \App\some_utility_function. Si no te interesa ningún aspecto concreto de la función aparte del tiempo de ejecución, esto es todo lo que necesitas:

    datadog/instrumentation.php

    \DDTrace\trace_function('App\some_utility_function', function (\DDTrace\SpanData $span, $args, $ret, $exception) {});
       
    
  5. Supongamos que para el método SampleRegistry::put, no solo deseas generar un tramo, sino que también deseas añadir una etiqueta con el valor del identificador del elemento devuelto, y una etiquetar para la clave. Dado que put es un método, utiliza \DDTrace\trace_method en lugar de \DDTrace\trace_function:

    datadog/instrumentation.php

    ...
    \DDTrace\trace_method(
        'App\Services\SampleRegistry',
        'put',
        function (\DDTrace\SpanData $span, $args, $ret, $exception) {
            $span->meta['app.cache.key'] = $args[0]; // El primer argumento es la 'key' (clave)
            $span->meta['app.cache.item_id'] = $ret; // El valor devuelto
        }
    );
       
    
    When you set tags, to avoid overwriting existing tags automatically added by the Datadog core instrumentation, do write $span->meta['mytag'] = 'value'. Do not write $span->meta = ['mytag' => 'value'].
  6. In the sample code, SampleRegistry::faultyMethod generates an exception. There is nothing you have to do with regards to custom instrumentation. If the method is instrumented, the default exception reporting mechanism takes care of attaching the exception message and the stack trace.

    datadog/instrumentation.php

    ...
    \DDTrace\trace_method(
        'App\Services\SampleRegistry',
        'faultyMethod',
        function (\DDTrace\SpanData $span, $args, $ret, $exception) {
        }
    );
       
    
  7. The SampleRegistry::get method uses a NotFound exception to notify that an item was not found. This exception is an expected part of the business logic and you do not want to mark the span as an error. You just want to change the resource name to add it to a pool of not_found operations. To achieve that, you unset the exception for the span:

    datadog/instrumentation.php

    ...
    \DDTrace\trace_method(
        'App\Services\SampleRegistry',
        'get',
        function (\DDTrace\SpanData $span, $args, $ret, $exception) {
            if ($exception instanceof \App\Exceptions\NotFound) {
                unset($span->exception);
                $span->resource = 'cache.get.not_found';
            }
        }
    );
       
    
  8. The SampleRegistry::compact method demonstrates an interesting use case. You are interested in adding a tag with a value that is neither an argument nor the value returned by the function. To do this, edit both datadog/instrumentation.php and the class file src/Services/SampleRegistry.php:

    datadog/instrumentation.php

    ...
    \DDTrace\trace_method(
        'App\Services\SampleRegistry',
        'compact',
        function (\DDTrace\SpanData $span, $args, $ret, $exception) {
        }
    );
       
    

    In src/Services/SampleRegistry.php edit the body of the method:

    src/Services/SampleRegistry.php

    ...
        public function compact()
        {
            // This function execute some operations on the registry and
            // returns nothing. In the middle of the function, we have an
            // interesting value that is not returned but can be related
            // to the slowness of the function
    
            $numberOfItemsProcessed = 123;
    
            // Add instrumenting code within your business logic.
            if (\function_exists('\DDTrace\active_span') && $span = \DDTrace\active_span()) {
                $span->meta['registry.compact.items_processed'] = $numberOfItemsProcessed;
            }
    
            // ...
        }
       
    

Details about trace_function and trace_method

The DDTrace\trace_function and DDTrace\trace_method functions instrument (trace) specific function and method calls. These functions automatically handle the following tasks:

  • Open a span before the code executes.
  • Set any errors from the instrumented call on the span.
  • Close the span when the instrumented call is done.

Additional tags are set on the span from the closure (called a tracing closure).

For example, the following snippet traces the CustomDriver::doWork method and adds custom tags. Exceptions are automatically tracked on the span.

<?php
\DDTrace\trace_method(
    'CustomDriver',
    'doWork',
    function (\DDTrace\SpanData $span, array $args, $retval, $exception) {
        // This closure runs after the instrumented call
        // Span was automatically created before the instrumented call

        // SpanData::$name defaults to 'ClassName.methodName' if not set
        $span->name = 'CustomDriver.doWork';
        // SpanData::$resource defaults to SpanData::$name if not set
        $span->resource = 'CustomDriver.doWork';
        $span->service = 'php';

        // If an exception was thrown from the instrumented call, return value is null
        $span->meta['doWork.size'] = $exception ? 0 : count($retval),
        // Access object members via $this
        $span->meta['doWork.thing'] = $this->workToDo;

        // The span will automatically close
    }
);

// For functions
\DDTrace\trace_function(
    'doCustomDriverWork',
    function (\DDTrace\SpanData $span, array $args, $retval, $exception) {
        // Same as DDTrace\trace_method tracing closure
    }
);
?>

Accessing active spans

The built-in instrumentation and your own custom instrumentation creates spans around meaningful operations. You can access the active span in order to include meaningful data.

The following method returns a DDTrace\SpanData object. When tracing is disabled, `null is returned.

<?php
$span = \DDTrace\active_span();
if ($span) {
    $span->meta['customer.id'] = get_customer_id();
}
?>

The following method returns a DDTrace\SpanData object. When tracing is disabled, null is returned. This is useful in contexts where the metadata to be added to the root span does not exist in early script execution.

<?php
$span = \DDTrace\root_span();
if ($span) {
    $span->meta['customer.id'] = get_customer_id();
}
?>

Adding tags

Cuando configures etiquetas, para evitar sobrescribir etiquetas existentes añadidas automáticamente por la instrumentación central de Datadog, escribe $span->meta['mytag'] = 'value'. No escribas $span->meta = ['mytag' => 'value'].

Add tags to a span by using the DDTrace\SpanData::$meta array.

<?php

\DDTrace\trace_function(
    'myRandFunc',
    function(\DDTrace\SpanData $span, array $args, $retval) {
        // ...
        $span->meta['rand.range'] = $args[0] . ' - ' . $args[1];
        $span->meta['rand.value'] = $retval;
    }
);

Set the DD_TAGS environment variable (version 0.47.0+) to automatically apply tags to every span that is created. This was previously DD_TRACE_GLOBAL_TAGS. For more information about configuring the older version, see environment variable configuration.

DD_TAGS=key1:value1,<TAG_KEY>:<TAG_VALUE>

Thrown exceptions are automatically attached to the active span, unless the exception is thrown at a deeper level in the call stack and it is caught before it reaches any function that is traced.

<?php

function doRiskyThing() {
    throw new Exception('Oops!');
}

\DDTrace\trace_function(
    'doRiskyThing',
    function() {
        // Span will be flagged as erroneous and have
        // the stack trace and exception message attached as tags
    }
);

Set the error.msg tag to manually flag a span as erroneous.

<?php

function doRiskyThing() {
    return SOME_ERROR_CODE;
}

\DDTrace\trace_function(
    'doRiskyThing',
    function(\DDTrace\SpanData $span, $args, $retval) {
        if ($retval === SOME_ERROR_CODE) {
            $span->meta['error.msg'] = 'Foo error';
            // Optional:
            $span->meta['error.type'] = 'CustomError';
            $span->meta['error.stack'] = (new \Exception)->getTraceAsString();
        }
    }
);
Support for span links is in beta and requires the PHP tracer v0.87.2+.

Span links associate one or more spans together that don’t have a typical parent-child relationship. They may associate spans within the same trace or spans across different traces.

Span links help trace operations in distributed systems, where workflows often deviate from linear execution patterns. Additionally, span links are useful to trace the flow of operations in systems that execute requests in batches or process events asynchronously.

To add a span link from an existing span:

$spanA = \DDTrace\start_trace_span();
$spanA->name = 'spanA';
\DDTrace\close_span();

$spanB = \DDTrace\start_trace_span();
$spanB->name = 'spanB';
// Link spanB to spanA
$spanB->links[] = $spanA->getLink();
\DDTrace\close_span();

To link a span using distributed tracing headers:

$spanA = \DDTrace\start_trace_span();
$spanA->name = 'spanA';
$distributedTracingHeaders = \DDTrace\generate_distributed_tracing_headers();
\DDTrace\close_span();

$spanB = \DDTrace\start_trace_span();
$spanB->name = 'spanB';
// Link spanB to spanA using distributed tracing headers
$spanB->links[] = \DDTrace\SpanLink::fromHeaders($distributedTracingHeaders);
\DDTrace\close_span();

You can view span links from the Trace View in APM.

Context propagation for distributed traces

You can configure the propagation of context for distributed traces by injecting and extracting headers. Read Trace Context Propagation for information.

Resource filtering

Traces can be excluded based on their resource name, to remove synthetic traffic such as health checks from reporting traces to Datadog. This and other security and fine-tuning configurations can be found on the Security page.

API reference

The Datadog APM PHP Api is fully documented in stubs. This allows you to have automated documentation in PHPStorm. You can still go through the stub file for more info about Datadog APM PHP API.

Parameters of the tracing closure

The tracing closure provided to DDTrace\trace_method() and DDTrace\trace_function() has four parameters:

function(
    DDTrace\SpanData $span,
    array $args,
    mixed $retval,
    Exception|null $exception
);
  1. $span: An instance of DDTrace\SpanData to write to the span properties
  2. $args: An array of arguments from the instrumented call
  3. $retval: The return value of the instrumented call
  4. $exception: An instance of the exception that was thrown in the instrumented call or null if no exception was thrown

Parameter 1: DDTrace\SpanData $span

The DDTrace\SpanData instance contains the same span information that the Agent expects. A few exceptions are trace_id, span_id, parent_id, start, and duration which are set at the C level and not exposed to userland via DDTrace\SpanData. Exceptions from the instrumented call are automatically attached to the span.

PropertyTypeDescription
SpanData::$namestringThe span name (Optional as of ddtrace v0.47.0; defaults to ‘ClassName.methodName’ if not set)
SpanData::$resourcestringThe resource you are tracing (Optional as of ddtrace v0.47.0; defaults to SpanData::$name if not set)
SpanData::$servicestringThe service you are tracing
SpanData::$typestringThe type of request which can be set to: web, db, cache, or custom (Optional)
SpanData::$metastring[]An array of key-value span metadata; keys and values must be strings (Optional)
SpanData::$metricsfloat[]An array of key-value span metrics; keys must be strings and values must be floats (Optional)
SpanData::$exception\ThrowableAn exception generated during the execution of the original function, if any.
<?php

use DDTrace\SpanData;

function myRandFunc($min, $max) {
    return mt_rand($min, $max);
}

\DDTrace\trace_function(
    'myRandFunc',
    function(SpanData $span, $args, $retval) {
        // SpanData::$name defaults to 'functionName' if not set (>= v0.47.0)
        $span->name = 'myRandFunc';
        // SpanData::$resource defaults to SpanData::$name if not set (>= v0.47.0)
        $span->resource = 'myRandFunc';
        $span->service = 'php';
        // The following are optional
        $span->type = 'web';
        $span->meta['rand.range'] = $args[0] . ' - ' . $args[1];
        $span->meta['rand.value'] = $retval;
        $span->metrics['some_metric'] = 0.9;
    }
);

Parameter 2: array $args

The second parameter to the tracing closure is an array of arguments from the instrumented call. It functions similarly to func_get_args().

By default the tracing closure is executed after the instrumented call which means any arguments passed by reference could be a different value when they reach the tracing closure.

<?php

use DDTrace\SpanData;

function argsByRef(&$a) {
    return ++$a;
}

\DDTrace\trace_function(
    'argsByRef',
    function(SpanData $span, $args) {
        var_dump($args);
    }
);

$foo = 10;
var_dump(argsByRef($foo));
// array(1) {
//   [0]=>
//   int(11)
// }
// int(11)

On PHP 7, the tracing closure has access to the same arguments passed to the instrumented call. If the instrumented call mutates an argument, including arguments passed by value, the posthook tracing closure receives the mutated argument.

This is the expected behavior of arguments in PHP 7 as illustrated in the following example:

<?php

function foo($a) {
    var_dump(func_get_args());
    $a = 'Dogs';
    var_dump(func_get_args());
}

foo('Cats');

/*
array(1) {
  [0]=>
  string(4) "Cats"
}
array(1) {
  [0]=>
  string(4) "Dogs"
}
*/

The following example demonstrates this effect on posthook tracing closures.

<?php

function foo($a) {
    $a = 'Dogs';
}

\DDTrace\trace_function('foo', function ($span, array $args) {
    var_dump($args[0]);
});

foo('Cats');

// string(4) "Dogs"

If an argument needs to be accessed before mutation, the tracing closure can be marked as prehook to access the arguments before the instrumented call.

Parameter 3: mixed $retval

The third parameter of the tracing closure is the return value of the instrumented call. Functions or methods that declare a void return type or ones that do not return a value have a value of null.

<?php

use DDTrace\SpanData;

function message(): void {
    echo "Hello!\n";
}

\DDTrace\trace_function(
    'message',
    function(SpanData $span, $args, $retval) {
        echo "Traced\n";
        var_dump($retval);
    }
);

var_dump(message());
// Hello!
// Traced
// NULL
// NULL

Parameter 4: Exception|null $exception

The final parameter of the tracing closure is an instance of the exception that was thrown in the instrumented call or null if no exception was thrown.

<?php

use DDTrace\SpanData;

function mightThrowException() {
  throw new Exception('Oops!');
  return 'Hello';
}

\DDTrace\trace_function(
  'mightThrowException',
  function(SpanData $span, $args, $retval, $ex) {
    if ($ex) {
      echo 'Exception from instrumented call: ';
      echo $ex->getMessage() . PHP_EOL;
    }
  }
);

mightThrowException();

/*
Exception from instrumented call: Oops!
NULL
PHP Fatal error:  Uncaught Exception: Oops! ...
*/

As exceptions are attached to spans automatically, there is no need to manually set SpanData::$meta['error.*'] metadata. But having access to the exception instance enables you to check for a thrown exception before accessing the return value.

<?php

use DDTrace\SpanData;

\DDTrace\trace_function(
    'mightThrowException',
    function(SpanData $span, $args, $retval, $ex) {
        if (null === $ex) {
            // Do something with $retval
        }
    }
);

To manually remove an exception from a span, use unset, for example: unset($span->exception).

Advanced configurations

Tracing internal functions and methods

As of version 0.76.0, all internal functions can unconditionally be traced.

On older versions, tracing internal functions and methods requires setting the DD_TRACE_TRACED_INTERNAL_FUNCTIONS environment variable, which takes a CSV of functions or methods that is to be instrumented. For example, DD_TRACE_TRACED_INTERNAL_FUNCTIONS=array_sum,mt_rand,DateTime::add. Once a function or method has been added to the list, it can be instrumented using DDTrace\trace_function() and DDTrace\trace_method() respectively. The DD_TRACE_TRACED_INTERNAL_FUNCTIONS environment variable is obsolete as of version 0.76.0.

Running the tracing closure before the instrumented call

By default, tracing closures are treated as posthook closures meaning they are executed after the instrumented call. Some cases require running the tracing closure before the instrumented call. In that case, tracing closures are marked as prehook using an associative configuration array.

\DDTrace\trace_function('foo', [
    'prehook' => function (\DDTrace\SpanData $span, array $args) {
        // This tracing closure will run before the instrumented call
    }
]);

Debugging sandboxed errors

Tracing closures are “sandboxed” in that exceptions thrown and errors raised inside of them do no impact the instrumented call.

<?php

function my_func() {
  echo 'Hello!' . PHP_EOL;
}

\DDTrace\trace_function(
  'my_func',
  function() {
    throw new \Exception('Oops!');
  }
);

my_func();
echo 'Done.' . PHP_EOL;

/*
Hello!
Done.
*/

Para depurar, establece la variable de entorno DD_TRACE_DEBUG=1 para exponer cualquier excepción o error que pueda haber ocurrido en un cierre de rastreo.

/*
Hello!
Exception thrown in tracing closure for my_func: Oops!
Done.
*/

Instrumentación manual de Zend framework 1

Zend framework 1 se instrumenta automáticamente por defecto, por lo que no es necesario que modifiques tu proyecto ZF1. Sin embargo, si la instrumentación automática está deshabilitada, habilita el rastreador manualmente.

En primer lugar, descarga el último código fuente de la página de versiones. Extrae el archivo zip y copia la carpeta src/DDTrace en la carpeta /library de tu aplicación. A continuación, añade lo siguiente a tu archivo application/configs/application.ini:

autoloaderNamespaces[] = "DDTrace_"
pluginPaths.DDTrace = APPLICATION_PATH "/../library/DDTrace/Integrations/ZendFramework/V1"
resources.ddtrace = true

Optimización del código de PHP

Antes de PHP 7, algunos marcos proporcionaban formas de compilar clases PHP (por ejemplo, a través del comando php artisan optimize de Laravel).

Aunque esto ha quedado obsoleto si utilizas PHP 7.x, todavía puedes utilizar este mecanismo de almacenamiento en caché en tu aplicación anterior a la versión 7.x. En este caso, Datadog sugiere que utilices la API de OpenTracing en lugar de añadir datadog/dd-trace a tu archivo Composer.

Leer más

PREVIEWING: brett0000FF/node-compatibility