Skip to content

Commit

Permalink
Merge pull request #19535 from newrelic/translations-03886584
Browse files Browse the repository at this point in the history
Updated translations -  (machine translation)
  • Loading branch information
jmiraNR authored Dec 16, 2024
2 parents 6c8ce9b + 0388658 commit afe96ec
Show file tree
Hide file tree
Showing 37 changed files with 851 additions and 377 deletions.
Original file line number Diff line number Diff line change
Expand Up @@ -2361,7 +2361,7 @@ El elemento `transactionEvents` admite el siguiente atributo:
</Callout>

<Callout variant="caution">
Cuando rastreo distribuido y/o Infinite Tracing están habilitados, la información de los eventos de transacción se aplica al evento Span raíz de la transacción. Considere aplicar cualquier configuración de atributo para evento de transacción para abarcar evento y/o aplicarla como configuración de atributo global.
Cuando el rastreo distribuido y/o el rastreo infinito están habilitados, la información del evento de transacción se aplica al evento Span raíz de la transacción. Considere aplicar cualquier configuración de atributo para la transacción evento para abarcar evento y/o aplicarlos como [configuración de atributo global](#agent-attributes).
</Callout>
</Collapser>
</CollapserGroup>
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,50 @@
---
title: Seguimiento automático de marcas y medidas nativas
tags:
- Browser
- Browser monitoring
- Experimental features
metaDescription: Observes and reports on the performance of your webpages by automatically tracking native marks and measures.
freshnessValidatedDate: never
translationType: machine
---

<Callout variant="important">
Esta es una característica experimental browser y está sujeta a cambios. Emplee esta función con precaución. Sólo está disponible con el agente del browser instalado mediante copiar/pegar o NPM.
</Callout>

[Las marcas](https://developer.mozilla.org/en-US/docs/Web/API/Performance/mark) y [medidas](https://developer.mozilla.org/en-US/docs/Web/API/Performance/measure) son métodos estándar para observar e informar sobre el rendimiento de sus sitios web. Son eventos genéricos nativos del browser. Puedes usarlos para medir la duración de cualquier tarea. El agente del navegador New Relic puede rastrear automáticamente marcas y medidas y almacenarlas como `BrowserPerformance` .

## Habilitar el monitoreo de marcas y medidas [#enable-feature]

Para habilitar esta función:

1. Cerciórate de estar empleando el agente del browser 1.272.0 o posterior.

2. Localice el código del agente en su aplicación HTML o JS del sitio web.

3. En el objeto de configuración `init` , agregue la configuración característica `performance` .

A continuación se muestra un ejemplo para habilitar la detección de marcas y medidas:

```js
<script type="text/javascript"> ;window.NREUM||(NREUM={});init={ …, performance: {capture_marks: true, capture_measures: true} }:
```

4. Desplegar tu aplicación.

## Encuentra tus datos en New Relic [#find-data]

Una vez habilitado, el agente almacena datos de marcas y medidas bajo el tipo de evento `BrowserPerformance` en New Relic. Para encontrar estos datos, intente la siguiente consulta y luego cree un tablero personalizado para realizar un seguimiento del rendimiento.

**Consulta 1**: Esta consulta NRQL recupera todos los `BrowserPerformance` eventos para el `appName` especificado (&amp;quot;Mi aplicación&amp;quot;) donde `entryName` es `mark` o `measure`.

```nrql
FROM BrowserPerformance SELECT * WHERE appName = 'My Application' AND entryName = 'mark' OR entryName = 'measure'
```

**Consulta 2**: Esta consulta NRQL calcula el promedio `entryDuration` para la calificación y medida de eventos dentro del `appName` especificado. La cláusula `FACET entryName` agrupa los resultados por el campo `entryName` , proporcionando duraciones promedio separadas para los eventos de marca y medida. Esto puede ser útil para comparar el rendimiento promedio de las calificaciones versus las medidas.

```nrql
FROM BrowserPerformance SELECT average(entryDuration) WHERE appName = 'My Application' AND entryName = 'mark' OR entryName = 'measure' FACET entryName
```
Original file line number Diff line number Diff line change
@@ -0,0 +1,74 @@
---
title: Observar automáticamente los recursos de la página
tags:
- Browser
- Browser monitoring
- Experimental features
metaDescription: Observes and reports on the performance of your webpages by automatically observing page resource timings.
freshnessValidatedDate: never
translationType: machine
---

[Los recursos](https://developer.mozilla.org/en-US/docs/Web/API/PerformanceResourceTiming) son informados de forma nativa por todos browser principales y le permiten observar e informar sobre el rendimiento de los recursos que importan sus sitios web. New Relic Browser puede rastrear automáticamente estos activos como `BrowserPerformance` evento.

<Callout variant="important">
Esta función es actualmente experimental y solo está disponible para su inclusión voluntaria en la copia y pegado manual o en las implementaciones NPM del agente. Para obtener más información sobre cómo participar, consulte [la característica experimental](/docs/browser/new-relic-browser/configuration/experimental-features). Tenga en cuenta que estas características están sujetas a cambios antes del lanzamiento general.
</Callout>

Los recursos de página detectados por el agente del browser se podrán consultar a través del tipo de evento `BrowserPerformance`. Puede emplear estos datos para crear consultas y paneles personalizados en [New Relic One](/docs/new-relic-one/use-new-relic-one/get-started/introduction-new-relic-one).

## Examinar los detalles de rendimiento [#view\_details][#view_details]

Ejemplo de consulta para ver datos de tiempo de recursos de la página:

```nrql
FROM BrowserPerformance SELECT * WHERE appName = 'My Application' AND entryName = 'resource'
```

```nrql
FROM BrowserPerformance SELECT average(entryDuration) as 'ms' WHERE entryType = 'resource' facet initiatorType
```

```nrql
FROM BrowserPerformance SELECT average(connectEnd - connectStart) as 'TCP Handshake', average(domainLookupEnd - domainLookupStart) as 'DNS Lookup', average(redirectEnd - redirectStart) as 'Redirection Time', average(responseStart - requestStart) as 'Request Time' timeseries 3 minutes
```

```nrql
FROM BrowserPerformance SELECT percentage(count(*), where decodedBodySize <= encodedBodySize) as 'Compressed Payloads' where entryType = 'resource'
```

```nrql
FROM BrowserPerformance SELECT percentage(count(*), where transferSize = 0) as 'Cached Payloads' where entryType = 'resource'
```

```nrql
FROM BrowserPerformance SELECT percentage(count(*), where renderBlockingStatus is NOT NULL ) as 'Render Blocking Resources' where entryType = 'resource'
```

```nrql
FROM BrowserPerformance SELECT max(responseStart - requestStart) as 'Request Time' facet entryName
```

```nrql
FROM BrowserPerformance SELECT max(domainLookupEnd - domainLookupStart) as 'DNS Lookup Time' facet entryName
```

```nrql
FROM BrowserPerformance SELECT max(responseStart - requestStart) as 'Request Time' facet currentUrl
```

```nrql
FROM BrowserPerformance SELECT max(connectEnd - connectStart) as 'TCP Handshake Time' facet entryName
```

```nrql
FROM BrowserPerformance SELECT count(*) where firstParty is true facet initiatorType limit 100
```

```nrql
FROM BrowserPerformance SELECT count(*) facet cases(where firstParty is true as 'First Party Asset')
```

```nrql
FROM BrowserPerformance SELECT average(entryDuration) facet cases(where firstParty is true as 'First Party Asset', where 1=1 as Other)
```
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
---
title: Característica experimental en monitoreo de browser
metaDescription: Opt-in to use experimental features in New Relic browser monitoring before they're generally available.
freshnessValidatedDate: never
translationType: machine
---

Las características New Relic Browser se exponen a los clientes de manera controlada para garantizar la estabilidad y confiabilidad. Sin embargo, algunas características se ponen a disposición antes de que alcancen disponibilidad general. Estas se conocen como características experimentales. Para acceder a ellos, debes optar por ello.

## Característica experimental actual

Las siguientes funciones experimentales están disponibles en New Relic Browser:

* agente del navegador v1.272.0 - [Realiza un seguimiento automático de las marcas y medidas nativas como `BrowserPerformance` evento](/docs/browser/new-relic-browser/browser-pro-features/marks-and-measures).
* agente del navegador v1.276.0 - [Observar automáticamente los recursos de la página como evento `BrowserPerformance` ](/docs/browser/new-relic-browser/browser-pro-features/page-resources).

<Callout variant="important">
Las características experimentales solo están disponibles para la subscripción en copia y pegado manual o en implementaciones NPM del agente. Estas características están sujetas a cambios y deben usar con precaución.
</Callout>

## Opte por emplear la función experimental

### Rendimiento del browser - Marcas, Medidas y Recursos

1. Cerciórate de estar usando una versión del agente New Relic Browser compatible con la función experimental, en una compilación pro o pro+spa equivalente.
2. Encuentre el código del agente del navegador New Relic en la aplicación HTML o JS de su sitio web.
3. En el objeto de configuración `init` , agregue la configuración característica `performance` . A continuación se muestra un ejemplo que permite la detección de marcas y medidas:

```js
<script type="text/javascript"> ;window.NREUM||(NREUM={});init={ …, performance: {
capture_marks: true, // enable to capture browser performance marks (default false)
capture_measures: true // enable to capture browser performance measures (default false)
resources: {
enabled: true, // enable to capture browser peformance resource timings (default false)
asset_types: [], // Asset types to collect -- an empty array will collect all types (default []). See https://developer.mozilla.org/en-US/docs/Web/API/PerformanceResourceTiming/initiatorType for the list of types.
first_party_domains: [], // when included, will decorate any resource as a first party resource if matching (default [])
ignore_newrelic: true // ignore capturing internal agent scripts and harvest calls (default true)
}
} }:
```

4. Desplegar tu aplicación.
Original file line number Diff line number Diff line change
Expand Up @@ -58,7 +58,7 @@ Recomendación: amplíe la [imagen`newrelic/infrastructure` ](https://hub.docker
--cap-add=SYS_PTRACE \
--privileged \
--pid=host \
--cgroupns=host # required on cgroup v2 \
--cgroupns=host \ # required on cgroup v2
-v "/:/host:ro" \
-v "/var/run/docker.sock:/var/run/docker.sock" \
YOUR_IMAGE_NAME
Expand Down Expand Up @@ -159,7 +159,7 @@ Para utilizar la configuración básica con una imagen base New Relic Infrastruc
--cap-add=SYS_PTRACE \
--privileged \
--pid=host \
--cgroupns=host # required on cgroup v2 \
--cgroupns=host \ # required on cgroup v2
-v "/:/host:ro" \
-v "/var/run/docker.sock:/var/run/docker.sock" \
-e NRIA_LICENSE_KEY=YOUR_LICENSE_KEY \
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -73,6 +73,10 @@ Después de haber enviado los datos de su canalización de Jenkins a New Relic,
3. Si ya completó la [validación](#validation), seleccione <DNT>**done**</DNT> para pasar al siguiente paso.
4. El inicio rápido desplegar los recursos a su cuenta. Haga clic en <DNT>**see your data**</DNT> para acceder al dashboard.

<Callout variant="important">
Si el nombre de su servicio (`OTEL_SERVICE_NAME`) está configurado como algo distinto de `jenkins`, actualice las condiciones `WHERE` de `entity.name` en el dashboard prediseñado para usar el nombre de servicio configurado.
</Callout>

<img title="Jenkins quickstart dashboard in New Relic" alt="Jenkins quickstart dashboard in New Relic" src="/images/opentelemetry_screenshot-full_jenkins-05.webp" />

<Callout variant="important">
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -2361,7 +2361,7 @@ APM UI のデフォルトのホスト名ラベルが役に立たない場合は
</Callout>

<Callout variant="caution">
分散トレーシングや無限トレーシングが有効な場合、トランザクションイベントからの情報は、そのトランザクションのルートのスパンイベントに適用されます。トランザクション・イベントの属性設定をスパン・イベントに適用したり、グローバル属性設定として適用することを検討してください
ディストリビューティッド(分散)トレーシングや無限トレーシングが有効な場合、トランザクション イベントの情報がトランザクションのルート スパン イベントに適用されます。 トランザクション イベントのプロパティ設定を複数のイベントに適用するか、[グローバル プロパティ設定](#agent-attributes)として適用することを検討してください
</Callout>
</Collapser>
</CollapserGroup>
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -205,12 +205,12 @@ Rubyエージェントでサポートされるウェブサーバーは以下の

## ウェブフレームワーク [#web\_frameworks][#web_frameworks]

Rubyエージェントは、実験的なバージョンをサポートしていません。Rubyエージェントでサポートされているウェブフレームワークは、以下のとおりです。Grape、Padrino、Sinatraは、Ruby 3.0+ではサポートされていません
Ruby エージェントは実験バージョンをサポートしていません。 Ruby エージェントは次の Web フレームワークをサポートしています

<table>
<thead>
<tr>
<th style={{ width: "150px" }}>
<th style={{ width: "200px" }}>
ウェブフレームワーク
</th>

Expand Down Expand Up @@ -294,6 +294,9 @@ Rubyエージェントは、実験的なバージョンをサポートしてい
* 6.0.x
* 6.1.x
* 7.0.x
* 7.1.x
* 7.2.x
* 8.0.x
</td>

<td>
Expand Down Expand Up @@ -375,6 +378,9 @@ Rubyエージェントは、実験的なバージョンをサポートしてい
* 6.0.x
* 6.1.x
* 7.0.x
* 7.1.x
* 7.2.x
* 8.0.x
</td>

<td>
Expand Down Expand Up @@ -412,6 +418,19 @@ Rubyエージェントは、実験的なバージョンをサポートしてい
<td />
</tr>

<tr>
<td>
オープンサーチ
</td>

<td>
* 2.x
* 3.x
</td>

<td />
</tr>

<tr>
<td>
Mongo
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -5,76 +5,19 @@ freshnessValidatedDate: '2024-04-23T00:00:00.000Z'
translationType: machine
---

当社の主な<InlinePopover type="browser"/>機能をご覧ください:

* <DNT>
[Summary](/docs/browser/browser-monitoring/getting-started/browser-summary-page/)
</DNT>

: browserのパフォーマンスの概要を表示します

* <DNT>
[Web vitals](/docs/journey-performance/guide-to-monitoring-core-web-vitals)
</DNT>

: コアウェブバイタルに貢献するものを知る

* <DNT>
[Session replay](/docs/browser/browser-monitoring/browser-pro-features/session-replay)
</DNT>

: ユーザーセッションのライブ再生を表示して、JavaScript エラーのトラブルシューティングを行い、UI デザインを改善します。

* <DNT>
[Page views](/docs/browser/new-relic-browser/browser-pro-features/page-views-examine-page-performance/)
</DNT>

: ページのパフォーマンスを調べる

* <DNT>
[AJAX](/docs/browser/browser-monitoring/browser-pro-features/ajax-page-identify-time-consuming-calls/)
</DNT>

: 時間のかかる通話を特定する

* <DNT>
[JavaScript errors](/docs/browser/new-relic-browser/browser-pro-features/javascript-errors-page-detect-analyze-errors/)
</DNT>

: エラーを検出して分析する

* <DNT>
[Error profiles](/docs/browser/new-relic-browser/browser-pro-features/browser-error-profiles-find-error-causes/)
</DNT>

: エラーの原因を見つける

* <DNT>
[Session traces](/docs/browser/browser-monitoring/browser-pro-features/session-traces-explore-webpages-life-cycle/)
</DNT>

: ウェブページのライフサイクルを調べる

* <DNT>
[Geography](/docs/browser/new-relic-browser/browser-pro-features/geography-webpage-metrics-location/)
</DNT>

: ユーザーの所在地別にウェブページデータを表示する

* <DNT>
[Browsers](/docs/browser/new-relic-browser/browser-pro-features/browsers-problem-patterns-type-or-platform/)
</DNT>

: browser種類またはプラットフォーム別にウェブページデータを表示

* <DNT>
[Distributed tracing](/docs/browser/new-relic-browser/browser-pro-features/browser-data-distributed-tracing/)
</DNT>

: バックエンドとフロントエンドのパフォーマンスを接続

* <DNT>
[Browser apps index](/docs/browser/new-relic-browser/getting-started/browser-apps-index/)
</DNT>

: すべてのbrowserアプリのリストを表示します
当社の主な<InlinePopover type="browser" />機能をご覧ください:

* <DNT>[Summary](/docs/browser/browser-monitoring/getting-started/browser-summary-page/)</DNT>: browserのパフォーマンスの概要を表示します
* <DNT>[Web vitals](/docs/journey-performance/guide-to-monitoring-core-web-vitals)</DNT>: コアウェブバイタルに貢献するものを知る
* <DNT>[Session replay](/docs/browser/browser-monitoring/browser-pro-features/session-replay)</DNT>: ユーザーセッションのライブ再生を表示して、JavaScript エラーのトラブルシューティングを行い、UI デザインを改善します。
* <DNT>[Page views](/docs/browser/new-relic-browser/browser-pro-features/page-views-examine-page-performance/)</DNT>: ページのパフォーマンスを調べる
* <DNT>[AJAX](/docs/browser/browser-monitoring/browser-pro-features/ajax-page-identify-time-consuming-calls/)</DNT>: 時間のかかる通話を特定する
* <DNT>[JavaScript errors](/docs/browser/new-relic-browser/browser-pro-features/javascript-errors-page-detect-analyze-errors/)</DNT>: エラーを検出して分析する
* <DNT>[Error profiles](/docs/browser/new-relic-browser/browser-pro-features/browser-error-profiles-find-error-causes/)</DNT>: エラーの原因を見つける
* <DNT>[Session traces](/docs/browser/browser-monitoring/browser-pro-features/session-traces-explore-webpages-life-cycle/)</DNT>: ウェブページのライフサイクルを調べる
* <DNT>[Geography](/docs/browser/new-relic-browser/browser-pro-features/geography-webpage-metrics-location/)</DNT>: ユーザーの所在地別にウェブページデータを表示する
* <DNT>[Browsers](/docs/browser/new-relic-browser/browser-pro-features/browsers-problem-patterns-type-or-platform/)</DNT>: browser種類またはプラットフォーム別にウェブページデータを表示
* <DNT>[Distributed tracing](/docs/browser/new-relic-browser/browser-pro-features/browser-data-distributed-tracing/)</DNT>: バックエンドとフロントエンドのパフォーマンスを接続
* <DNT>[Browser apps index](/docs/browser/new-relic-browser/getting-started/browser-apps-index/)</DNT>: すべてのbrowserアプリのリストを表示します
* <DNT>[Marks and measures](/docs/browser/new-relic-browser/browser-pro-features/marks-and-measures/)</DNT>: ネイティブマークとメジャーを自動的に追跡
* <DNT>[Page resources](/docs/browser/new-relic-browser/browser-pro-features/page-resources/)</DNT>: ページリソースのタイミングを自動的に監視する
Loading

0 comments on commit afe96ec

Please sign in to comment.