├── .github
├── CODEOWNERS
├── policies
│ └── microsoft-graph-devx-content-branch-protection.yml
└── workflows
│ ├── handover-translations.yml
│ └── validate.yml
├── .gitignore
├── CODE_OF_CONDUCT.md
├── LICENSE
├── README.md
├── azure-pipelines
└── publishSamples.yml
├── ge-tour
└── tour-steps.json
├── messages
├── GE.json
├── GE_de-DE.json
├── GE_es-ES.json
├── GE_fr-FR.json
├── GE_ja-JP.json
├── GE_pt-BR.json
├── GE_ru-RU.json
└── GE_zh-CN.json
├── package-lock.json
├── package.json
├── permissions
├── new
│ ├── ProvisioningInfo.json
│ └── permissions.json
├── permissions-descriptions.json
├── permissions-descriptions_de-DE.json
├── permissions-descriptions_es-ES.json
├── permissions-descriptions_fr-FR.json
├── permissions-descriptions_ja-JP.json
├── permissions-descriptions_pt-BR.json
├── permissions-descriptions_ru-RU.json
└── permissions-descriptions_zh-CN.json
├── sample-queries
├── sample-queries.json
├── sample-queries_de-DE.json
├── sample-queries_es-ES.json
├── sample-queries_fr-FR.json
├── sample-queries_ja-JP.json
├── sample-queries_pt-BR.json
├── sample-queries_ru-RU.json
└── sample-queries_zh-CN.json
├── scripts
└── test-initiator.js
└── tests
├── samples.schema.json
├── samples.spec.js
└── validator.js
/.github/CODEOWNERS:
--------------------------------------------------------------------------------
1 | * @microsoftgraph/msgraph-devx-api-write
2 |
--------------------------------------------------------------------------------
/.github/policies/microsoft-graph-devx-content-branch-protection.yml:
--------------------------------------------------------------------------------
1 | # Copyright (c) Microsoft Corporation.
2 | # Licensed under the MIT License.
3 |
4 | # File initially created using https://github.com/MIchaelMainer/policyservicetoolkit/blob/main/branch_protection_export.ps1.
5 |
6 | name: microsoft-graph-devx-content-branch-protection
7 | description: Branch protection policy for the microsoft-graph-devx-content repository
8 | resource: repository
9 | configuration:
10 | branchProtectionRules:
11 |
12 | - branchNamePattern: master
13 | # This branch pattern applies to the following branches as of 06/09/2023 12:03:14:
14 | # master
15 |
16 | # Specifies whether this branch can be deleted. boolean
17 | allowsDeletions: false
18 | # Specifies whether forced pushes are allowed on this branch. boolean
19 | allowsForcePushes: false
20 | # Specifies whether new commits pushed to the matching branches dismiss pull request review approvals. boolean
21 | dismissStaleReviews: true
22 | # Specifies whether admins can overwrite branch protection. boolean
23 | isAdminEnforced: false
24 | # Indicates whether "Require a pull request before merging" is enabled. boolean
25 | requiresPullRequestBeforeMerging: true
26 | # Specifies the number of pull request reviews before merging. int (0-6). Should be null/empty if PRs are not required
27 | requiredApprovingReviewsCount: 1
28 | # Require review from Code Owners. Requires requiredApprovingReviewsCount. boolean
29 | requireCodeOwnersReview: false
30 | # Are commits required to be signed. boolean. TODO: all contributors must have commit signing on local machines.
31 | requiresCommitSignatures: false
32 | # Are conversations required to be resolved before merging? boolean
33 | requiresConversationResolution: false
34 | # Are merge commits prohibited from being pushed to this branch. boolean
35 | requiresLinearHistory: false
36 | # Require branches to be up to date before merging. Requires requiredStatusChecks. boolean
37 | requiresStrictStatusChecks: true
38 | # Indicates whether there are restrictions on who can push. boolean. Requires whoCanPush.
39 | restrictsPushes: false
40 | # Restrict who can dismiss pull request reviews. boolean
41 | restrictsReviewDismissals: false
42 |
43 | - branchNamePattern: dev
44 | # This branch pattern applies to the following branches as of 06/09/2023 12:03:14:
45 | # dev
46 |
47 | # Specifies whether this branch can be deleted. boolean
48 | allowsDeletions: false
49 | # Specifies whether forced pushes are allowed on this branch. boolean
50 | allowsForcePushes: false
51 | # Specifies whether new commits pushed to the matching branches dismiss pull request review approvals. boolean
52 | dismissStaleReviews: false
53 | # Specifies whether admins can overwrite branch protection. boolean
54 | isAdminEnforced: false
55 | # Indicates whether "Require a pull request before merging" is enabled. boolean
56 | requiresPullRequestBeforeMerging: true
57 | # Specifies the number of pull request reviews before merging. int (0-6). Should be null/empty if PRs are not required
58 | requiredApprovingReviewsCount: 1
59 | # Require review from Code Owners. Requires requiredApprovingReviewsCount. boolean
60 | requireCodeOwnersReview: false
61 | # Are commits required to be signed. boolean. TODO: all contributors must have commit signing on local machines.
62 | requiresCommitSignatures: false
63 | # Are conversations required to be resolved before merging? boolean
64 | requiresConversationResolution: false
65 | # Are merge commits prohibited from being pushed to this branch. boolean
66 | requiresLinearHistory: false
67 | # Require branches to be up to date before merging. Requires requiredStatusChecks. boolean
68 | requiresStrictStatusChecks: true
69 | # Indicates whether there are restrictions on who can push. boolean. Requires whoCanPush.
70 | restrictsPushes: true
71 | # List of Apps, Users, and Teams that can push to this branch.
72 | whoCanPush:
73 | - msgraph-devx-api-write
74 | # Restrict who can dismiss pull request reviews. boolean
75 | restrictsReviewDismissals: false
76 |
77 |
--------------------------------------------------------------------------------
/.github/workflows/handover-translations.yml:
--------------------------------------------------------------------------------
1 | name: Hand over translation files
2 |
3 | on:
4 | push:
5 | branches:
6 | - dev
7 | paths:
8 | - 'messages/**'
9 | - '!messages/GE.json'
10 | - '.github/workflows/handover-translations.yml'
11 |
12 | jobs:
13 | pull-request:
14 | runs-on: ubuntu-latest
15 | steps:
16 | - name: Checkout
17 | uses: actions/checkout@v2.3.4
18 |
19 | - name: Set current date as env variable
20 | run: echo "today=$(date +%Y%m%d%H%M)" >> $GITHUB_ENV
21 |
22 | - name: Create folder
23 | run: |
24 | mkdir -p messages/translated-content && cp messages/GE_* messages/translated-content/
25 | ls messages/translated-content
26 |
27 | - name: Create pull request to handover translations
28 | uses: paygoc6/action-pull-request-another-repo@v1.0.1
29 | env:
30 | API_TOKEN_GITHUB: ${{ secrets.API_TOKEN_GITHUB }}
31 | with:
32 | source_folder: 'messages/translated-content/**'
33 | destination_repo: 'microsoftgraph/microsoft-graph-explorer-v4'
34 | destination_folder: 'src/messages'
35 | destination_base_branch: 'dev'
36 | destination_head_branch: chore/handover-translations-${{ env.today }}
37 | user_email: ${{ secrets.ACTION_EMAIL }}
38 | user_name: ${{ secrets.ACTION_USERNAME }}
39 |
--------------------------------------------------------------------------------
/.github/workflows/validate.yml:
--------------------------------------------------------------------------------
1 | name: Validate sample queries
2 | on: [pull_request,push]
3 |
4 | jobs:
5 | validate-json-schema:
6 | runs-on: ubuntu-latest
7 | steps:
8 | - uses: actions/checkout@v1
9 | - name: Validate json schema
10 | uses: docker://orrosenblatt/validate-json-action:latest
11 | env:
12 | INPUT_SCHEMA: /tests/samples.schema.json
13 | INPUT_JSONS: /sample-queries/sample-queries.json
14 |
15 | test:
16 | runs-on: ubuntu-latest
17 | needs: validate-json-schema
18 | steps:
19 | - uses: actions/checkout@v2
20 |
21 | - name: Install
22 | run: npm install
23 |
24 | - name: Run test
25 | run: npm run test
26 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | node_modules
2 |
--------------------------------------------------------------------------------
/CODE_OF_CONDUCT.md:
--------------------------------------------------------------------------------
1 | # Microsoft Open Source Code of Conduct
2 |
3 | This project has adopted the [Microsoft Open Source Code of Conduct](https://opensource.microsoft.com/codeofconduct/).
4 |
5 | Resources:
6 |
7 | - [Microsoft Open Source Code of Conduct](https://opensource.microsoft.com/codeofconduct/)
8 | - [Microsoft Code of Conduct FAQ](https://opensource.microsoft.com/codeofconduct/faq/)
9 | - Contact [opencode@microsoft.com](mailto:opencode@microsoft.com) with questions or concerns
10 | - Employees can reach out at [aka.ms/opensource/moderation-support](https://aka.ms/opensource/moderation-support)
11 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | MIT License
2 |
3 | Copyright (c) 2020 Microsoft Graph
4 |
5 | Permission is hereby granted, free of charge, to any person obtaining a copy
6 | of this software and associated documentation files (the "Software"), to deal
7 | in the Software without restriction, including without limitation the rights
8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9 | copies of the Software, and to permit persons to whom the Software is
10 | furnished to do so, subject to the following conditions:
11 |
12 | The above copyright notice and this permission notice shall be included in all
13 | copies or substantial portions of the Software.
14 |
15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21 | SOFTWARE.
22 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # microsoft-graph-devx-content
2 | Content used by the DevX API to enhance clients and tooling. At the moment it has:
3 | - Permissions
4 | - Samples
5 |
6 | This will also be used by the localization team to add translation files, and by feature teams to modify, add, or update samples.
7 |
8 | ## Contributing
9 | ## Adding Sample Queries
10 |
11 | ### Pre-requisites:
12 | 1. Download and Install Git to your machine https://git-scm.com/downloads
13 | 1. Download and Install VS Code to your machine https://code.visualstudio.com/download
14 |
15 | To add sample queries follow these steps:
16 | 1. - If you have write access to this repo (*microsoft-graph-devx-content*), clone the repo to your local machine. You can do so using this command:
17 |
18 | git clone https://github.com/microsoftgraph/microsoft-graph-devx-content.git microsoft-graph-devx-content
19 | cd microsoft-graph-devx-content/sample-queries
20 |
21 | - If you don't have write access or you are a new contributor, fork your copy of the repo by clicking on the **Fork** button at the top right of this page.
22 | 
23 | 1. Navigate to the file *sample-queries.json* in the *sample-queries* folder.
24 | 1. Open the file *sample-queries.json* on your favourite editor (e.g VS Code)
25 | 1. If you are adding a new category (workload) sample (e.g. Teams, Excel), add the queries at the end of the list right before the closing square bracket **]** in the following format. However, if you are adding a sample query to an existing category, find it on the document and add the query next to the other queries in that category.
26 | GET example
27 | > {
28 | > "id": "76ecc500-897d-4a5e-a15c-0f6702a43d32",
29 | > "category": "Extensions",
30 | > "method": "GET",
31 | > "humanName": "get available schema extensions",
32 | > "requestUrl": "/v1.0/schemaExtensions",
33 | > "docLink": "https://developer.microsoft.com/en-us/graph/docs/api-reference/v1.0/api/schemaextension_post_schemaextensions",
34 | > "skipTest": false
35 | > },
36 |
37 | - id - generate a GUID here: https://guidgenerator.com/
38 | - category - the workload category the sample query falls under e.g. Teams, Outlook, Extensions etc
39 | - method - request option, e.g GET, POST, PUT, PATCH, DELETE
40 | - humanName - the name users will see on Graph Explorer UI describing what the sample query does
41 | - requestUrl - the url to query the sample query on Graph API, but dont put the https://graph.microsoft.com bit of the url
42 | - docLink - link to the sample query documentation.
43 | - skipTest - this is always false for all sample queries
44 |
45 | POST Example includes headers, post body and a tip
46 | > `{`
47 | > `"id": "9b937d40-885d-4eb1-a36d-9b001ce63d1d",`
48 | `"category": "OneNote",`
49 | `"method": "POST",`
50 | `"humanName": "create section",`
51 | `"requestUrl": "/v1.0/me/onenote/notebooks/{notebook-id}/sections",`
52 | `"docLink": "https://developer.microsoft.com/en-us/graph/docs/api-reference/v1.0/api/notebook_post_sections",`
53 | `"headers": [`
54 | `{`
55 | `"name": "Content-type",`
56 | `"value": "application/json"`
57 | `}`
58 | `],`
59 | `"postBody": "{\r\n \"displayName\": \"Section 1\"\r\n}",`
60 | `"tip": "This query requires a notebook id. To find the ID, you can run: GET https://graph.microsoft.com/v1.0/me/onenote/notebooks. ",`
61 | `"skipTest": false
`
62 | ` },`
63 | - headers - add the headers required to run the POST query
64 | - postBody - add the post body required to run the query
65 | - tip - include a tip giving more information to the user on things like permissions required, and how to get an id if needed.
66 |
67 | When done making the changes on the document,
68 | 1. Save the document on your machine
69 | 1. Create a Git branch on this repo and name it using your initials + describe the changes ie. bn/add-xyz-samples
70 | 1. Commit the changes to your branch
71 | 1. Create a PR (the PR is automatically updated with the relevant reviewers).
72 |
73 | Once the PR is reviewed and merged, the changes will appear on Graph Explorer in 2 working days.
74 |
75 | ### Please note that:
76 | 1. The order of properties is as outlined below (where applicable for your sample)
77 | ` "id": `
78 | `"category": `
79 | ` "method": `
80 | `"humanName":`
81 | `"requestUrl":`
82 | `"docLink": `
83 | `"headers": `
84 | ` "postBody": `
85 | `"tip": `
86 | `"skipTest": `
87 | 1. The `humanName` value should be in **small caps** only.
88 | 1. The `requestUrl` value should be a relative url, starting from the version, i.e. `"requestUrl": "/v1.0/me/onenote/notebooks/{notebook-id}/sections"` leave out the `https://graph.microsoft.com` part of the url.
89 | ### Using Command Line or PowerShell (After Fork/Clone):
90 | ### 1. Open the sample-queries.json file
91 | To open the sample-queries.json file, paste in this command:
92 | `code -n sample-queries.json
93 | `
94 |
95 | Alternatively, you can open the directory where the file is located by pasting in this command:
96 | `start .
97 | `
98 |
99 | ### 2. Open the Git command utility
100 | If your machine's OS/CPU is x64, paste in this command:
101 | `start "%PROGRAMFILES%\Git\bin\sh.exe" --login
102 | `
103 | else, if x86, paste in this command:
104 | `start "%SYSTEMDRIVE%\Program Files (x86)\Git\bin\sh.exe"
105 | `
106 |
107 | ### 3. Create your local branch
108 | Your branch name has to be of the format: {your-intial}/{purpose-of-change}.
109 | Replace the text within the curly braces (inclusive of the curly braces).
110 | Then in the new Git command line window, paste in this command to create and checkout your branch:
111 | `git checkout -b {your-branch-name}
112 | `
113 |
114 | ### 4. Update your sample query
115 | Now you can add, update or delete your sample query in the `sample-queries.json` file that opened up in VS Code earlier.
116 |
117 | ### 5. Add, commit and push your changes back to the remote repo with the following commands
118 | - Add the changes to you local repo: `git add sample-queries.json`
119 | - Commit your changes: `git commit -m "{add-reason-for-update}"`
120 | - Push your changes to the remote repo: `git push origin {your-branch-name}`
121 |
122 | ### 6. Login to GitHub
123 | Follow the instructions to login to GitHub using your credentials.
124 |
125 | ### 7. If you get error 403
126 | Follow the instructions specified, then run this command again:
127 | `git push origin {your-branch-name}`
128 |
129 | ## Testing of Sample Queries
130 | Once you've added/updated the sample queries, you can test them out by going to [Graph Explorer](https://developer.microsoft.com/en-us/graph/graph-explorer), and appending this to the end of the Graph Explorer url.
131 |
132 | `?devx-api=https://graphexplorerapi.azurewebsites.net&org={org}&branchName={branchName}`
133 |
134 | This fetches the permissions/samples from your specific branch or repo.
135 |
136 | #### Full url/path format:
137 | ```
138 | https://developer.microsoft.com/en-us/graph/graph-explorer?devx-api=https://graphexplorerapi.azurewebsites.net&org={org}&branchName={branchName}
139 | ```
140 | #### NB:
141 | i. Replace *{branchName}* with the name of your current branch.
142 |
143 | ii. In the case of a forked repo, replace the *{org}* parameter with your Github username.
144 | iii. If your branch is in this repo, replace *{org}* with microsoftgraph
145 |
146 | #### Example:
147 | ```
148 | https://developer.microsoft.com/en-us/graph/graph-explorer?devx-api=https://graphexplorerapi.azurewebsites.net&org=MeganBowen&branchName=mk/update-sample
149 | ```
150 |
151 | The samples/permissions will be populated on Graph Explorer and you can do further testing.
152 |
153 | ## Adding Permissions
154 | Contributions to permissions are limited to contributors with write access. However, issues on missing permissions can be raised as issue requests on the [issues tab](https://github.com/microsoftgraph/microsoft-graph-devx-content/issues).
155 |
156 | ### Please Note:
157 | In case you see *You are viewing a cached set of samples because of a network connection failure*, check the query parameters and confirm they're correct, then reload the page.
158 |
159 | If you run into any issues, reach out to @MaggieKimani1, @irvinesunday or @thewahome.
160 |
--------------------------------------------------------------------------------
/azure-pipelines/publishSamples.yml:
--------------------------------------------------------------------------------
1 | # Starter pipeline
2 | # Start with a minimal pipeline that you can customize to build and deploy your code.
3 | # Add steps that build, run tests, deploy, and more:
4 | # https://aka.ms/yaml
5 |
6 | name: $(BuildDefinitionName)_$(SourceBranchName)_$(Date:yyyyMMdd)$(Rev:.r)
7 | trigger:
8 | branches:
9 | include:
10 | - master
11 | - dev
12 | pr: none
13 | resources:
14 | repositories:
15 | - repository: 1ESPipelineTemplates
16 | type: git
17 | name: 1ESPipelineTemplates/1ESPipelineTemplates
18 | ref: refs/tags/release
19 | extends:
20 | template: v1/1ES.Official.PipelineTemplate.yml@1ESPipelineTemplates
21 | parameters:
22 | pool:
23 | name: Azure-Pipelines-1ESPT-ExDShared
24 | image: windows-latest
25 | os: windows
26 | customBuildTags:
27 | - ES365AIMigrationTooling
28 | stages:
29 | - stage: CopyArtifactFiles
30 | jobs:
31 | - job: job
32 | templateContext:
33 | outputs:
34 | - output: pipelineArtifact
35 | displayName: 'Publish Artifact drop'
36 | targetPath: '$(Build.ArtifactStagingDirectory)'
37 | artifactName: drop
38 | steps:
39 | - task: CopyFiles@2
40 | displayName: 'Copy Files to: $(Build.ArtifactStagingDirectory)'
41 | inputs:
42 | Contents: |
43 | **\permissions\**
44 | **\sample-queries\**
45 | TargetFolder: '$(build.artifactstagingdirectory)'
46 |
47 | - stage: DeployStaging
48 | condition: and(contains(variables['build.sourceBranch'], 'refs/heads/dev'), succeeded())
49 | dependsOn: CopyArtifactFiles
50 | jobs:
51 | - deployment: staging
52 | templateContext:
53 | type: releaseJob
54 | isProduction: false
55 | inputs:
56 | - input: pipelineArtifact
57 | artifactName: drop
58 | targetPath: $(Build.ArtifactStagingDirectory)
59 | environment: graphexplorerapi-staging
60 | strategy:
61 | runOnce:
62 | deploy:
63 | steps:
64 | - task: AzureFileCopy@6
65 | displayName: 'Upload Sample Query files'
66 | inputs:
67 | SourcePath: '$(build.artifactstagingdirectory)/sample-queries/*'
68 | azureSubscription: 'DevX PPE Content Managed Identity Connection'
69 | Destination: AzureBlob
70 | storage: devxapistppeeastus
71 | ContainerName: 'staging-sample-queries'
72 |
73 | - task: AzureFileCopy@6
74 | displayName: 'Upload Permission Description Files '
75 | inputs:
76 | SourcePath: '$(build.artifactstagingdirectory)/permissions/*'
77 | azureSubscription: 'DevX PPE Content Managed Identity Connection'
78 | Destination: AzureBlob
79 | storage: devxapistppeeastus
80 | ContainerName: 'staging-permissions'
81 |
82 |
83 | - stage: DeployProduction
84 | condition: and(contains(variables['build.sourceBranch'], 'refs/heads/master'), succeeded())
85 | dependsOn: CopyArtifactFiles
86 | jobs:
87 | - deployment: production
88 | templateContext:
89 | type: releaseJob
90 | isProduction: true
91 | environment: graphexplorerapi-production
92 | strategy:
93 | runOnce:
94 | deploy:
95 | steps:
96 | - task: AzureFileCopy@6
97 | displayName: 'Upload Sample Query files'
98 | inputs:
99 | SourcePath: '$(build.artifactstagingdirectory)/sample-queries/*'
100 | azureSubscription: 'DevX Prod Content Managed Identity Connection'
101 | Destination: AzureBlob
102 | storage: devxapistprodeastus
103 | ContainerName: 'sample-queries'
104 |
105 | - task: AzureFileCopy@6
106 | displayName: 'Upload Permission Description Files '
107 | inputs:
108 | SourcePath: '$(build.artifactstagingdirectory)/permissions/*'
109 | azureSubscription: 'DevX Prod Content Managed Identity Connection'
110 | Destination: AzureBlob
111 | storage: devxapistprodeastus
112 | ContainerName: permissions
113 |
--------------------------------------------------------------------------------
/ge-tour/tour-steps.json:
--------------------------------------------------------------------------------
1 | {
2 | "TourSteps": [
3 | {
4 | "target": ".sign-in-section",
5 | "content": "When you're signed in, you can run all queries with all request options. We recommend that you sign in with a sample Azure AD account where you are the tenant admin.",
6 | "directionalHint": 10,
7 | "spotlightClicks": true,
8 | "hideCloseButton": true,
9 | "autoNext": false,
10 | "disableBeacon": true,
11 | "advanced": true,
12 | "title": "Sign in",
13 | "expectedActionType": "PROFILE_REQUEST_SUCCESS",
14 | "docsLink": "",
15 | "query": {},
16 | "active": true
17 | },
18 | {
19 | "target": ".settings-menu-button",
20 | "content": "An Azure AD sandbox gives you access to sample data that you can use to test all queries.",
21 | "directionalHint": 1,
22 | "spotlightClicks": true,
23 | "hideCloseButton": false,
24 | "autoNext": false,
25 | "disableBeacon": true,
26 | "advanced": true,
27 | "title": "More actions",
28 | "expectedActionType": "",
29 | "docsLink": "https://developer.microsoft.com/en-US/office/dev-program",
30 | "query": {},
31 | "active": true
32 | },
33 | {
34 | "target": ".request-option",
35 | "content": "You can perform GET, POST, PUT, PATCH and DELETE requests on Microsoft Graph. We will perform a GET request to Microsoft Graph for profile information. Click the drop down menu and select GET",
36 | "docsLink": "",
37 | "directionalHint": 9,
38 | "spotlightClicks": true,
39 | "hideCloseButton": true,
40 | "autoNext": false,
41 | "disableBeacon": true,
42 | "expectedActionType": "SET_SAMPLE_QUERY_SUCCESS",
43 | "title": "HTTP request method option",
44 | "advanced": true,
45 | "query": {},
46 | "active": true
47 |
48 | },
49 | {
50 | "target": ".query-version",
51 | "content": "Microsoft Graph beta endpoint has APIs that are in preview. v1.0 endpoint has APIs that are generally available. Choose v1.0 from the dropdown menu",
52 | "directionalHint": 5,
53 | "spotlightClicks": true,
54 | "hideCloseButton": false,
55 | "autoNext": false,
56 | "disableBeacon": true,
57 | "advanced": true,
58 | "title": "Microsoft Graph API Version option",
59 | "expectedActionType": "SET_SAMPLE_QUERY_SUCCESS",
60 | "docsLink": "",
61 | "query": {},
62 | "active": true
63 | },
64 | {
65 | "target": ".query-box",
66 | "content": "You can type your Graph queries here. It has an autocomplete feature as well as links to the docs for some queries. Add a '/m' at the end then scroll and choose 'me' from the autocomplete suggestions. Click 'Run query' to run this query",
67 | "directionalHint": 10,
68 | "spotlightClicks":true,
69 | "hideCloseButton": true,
70 | "title": "Want to run a Graph API query?",
71 | "autoNext": false,
72 | "disableBeacon": true,
73 | "expectedActionType": "QUERY_GRAPH_SUCCESS",
74 | "query": {
75 | "selectedVerb": "GET",
76 | "selectedVersion": "v1.0",
77 | "sampleUrl": "https://graph.microsoft.com/v1.0",
78 | "sampleHeaders": []
79 | },
80 | "advanced": true,
81 | "docsLink":"",
82 | "active": true
83 | },
84 | {
85 | "target": ".pivot-response *[data-content='Response preview xx']",
86 | "content": "This is the response preview button. Click here to view the response to the query you just ran",
87 | "directionalHint": 1,
88 | "spotlightClicks":true,
89 | "hideCloseButton": false,
90 | "autoNext": true,
91 | "disableBeacon": true,
92 | "advanced": true,
93 | "title": "Response preview",
94 | "docsLink": "",
95 | "query": {
96 | "selectedVerb": "GET",
97 | "selectedVersion":"v1.0",
98 | "sampleUrl": "https://graph.microsoft.com/v1.0/me",
99 | "sampleHeaders":[]
100 | },
101 | "expectedActionType": "",
102 | "active": true
103 | },
104 | {
105 | "target": ".response-preview-body",
106 | "content": "The query you just ran retrieves profile information from Microsoft Graph. This is the query response",
107 | "directionalHint": 1,
108 | "spotlightClicks":true,
109 | "hideCloseButton": false,
110 | "title": "Response preview",
111 | "autoNext": false,
112 | "disableBeacon": true,
113 | "advanced": true,
114 | "expectedActionType": "",
115 | "query": {},
116 | "docsLink": "",
117 | "active": true
118 | },
119 | {
120 | "target": ".pivot-response *[data-content='Response headers xx']",
121 | "content": "This is the response headers button. Clicking this button will show you the response headers for the query you just ran",
122 | "directionalHint": 1,
123 | "spotlightClicks":true,
124 | "hideCloseButton": false,
125 | "title": "Response headers",
126 | "autoNext": true,
127 | "disableBeacon": true,
128 | "advanced": true,
129 | "expectedActionType": "",
130 | "query": {},
131 | "docsLink": "",
132 | "active": true
133 | },
134 | {
135 | "target": ".response-headers-body",
136 | "content": "These are the response headers for the query you just ran",
137 | "directionalHint": 0,
138 | "spotlightClicks":true,
139 | "hideCloseButton": false,
140 | "title": "The response headers returned by Microsoft Graph",
141 | "autoNext": false,
142 | "disableBeacon": true,
143 | "advanced": true,
144 | "expectedActionType": "",
145 | "query": {},
146 | "docsLink": "",
147 | "active": true
148 | },
149 | {
150 | "target": ".pivot-response *[data-content='Toolkit component xx']",
151 | "content": "The Microsoft Graph Toolkit is a collection of reusable components for accessing and working with Microsoft Graph. Click here to view the response as a toolkit UI component. ",
152 | "directionalHint": 1,
153 | "spotlightClicks":true,
154 | "hideCloseButton": false,
155 | "title": "Toolkit component",
156 | "autoNext": true,
157 | "disableBeacon": true,
158 | "advanced": true,
159 | "expectedActionType": "",
160 | "query": {},
161 | "docsLink": "https://docs.microsoft.com/en-US/graph/toolkit/overview",
162 | "active": true
163 | },
164 | {
165 | "target": ".toolkit-component-area",
166 | "content": "This is the toolkit UI component response to the query you just ran",
167 | "directionalHint": 1,
168 | "spotlightClicks":true,
169 | "hideCloseButton": false,
170 | "title": "Toolkit component",
171 | "autoNext": false,
172 | "disableBeacon": true,
173 | "advanced": true,
174 | "expectedActionType": "",
175 | "query": {},
176 | "docsLink": "https://docs.microsoft.com/en-US/graph/toolkit/overview",
177 | "active": true
178 | },
179 | {
180 | "target": ".pivot-response *[data-content='Adaptive cards xx']",
181 | "content": "Adaptive Cards are portable cards that you can use to render your card content. Click here to see the response to the query you ran as an Adaptive Card. ",
182 | "directionalHint": 1,
183 | "spotlightClicks":true,
184 | "hideCloseButton": false,
185 | "title": "Adaptive cards",
186 | "autoNext": true,
187 | "disableBeacon": true,
188 | "advanced": true,
189 | "expectedActionType": "",
190 | "query": {},
191 | "docsLink": "https://docs.microsoft.com/en-US/adaptive-cards/",
192 | "active": true
193 | },
194 | {
195 | "target": ".adaptive-cards-response",
196 | "content": "This is the Adaptive Card response to the query you just ran",
197 | "directionalHint": 1,
198 | "spotlightClicks":true,
199 | "hideCloseButton": false,
200 | "title": "Adaptive cards",
201 | "autoNext": false,
202 | "disableBeacon": true,
203 | "advanced": true,
204 | "expectedActionType": "",
205 | "query": {},
206 | "docsLink": "https://docs.microsoft.com/en-US/adaptive-cards/",
207 | "active": true
208 | },
209 | {
210 | "target": ".pivot-response *[data-content='Code snippets xx']",
211 | "content": "This section contains code snippets that you can use to make the API call as the query you just ran, in your own application. Click here to view them",
212 | "directionalHint": 1,
213 | "spotlightClicks":true,
214 | "hideCloseButton": false,
215 | "title": "Code snippets",
216 | "autoNext": false,
217 | "disableBeacon": true,
218 | "advanced": true,
219 | "expectedActionType": "GET_SNIPPET_SUCCESS",
220 | "query": {},
221 | "docsLink": "",
222 | "active": true
223 | },
224 | {
225 | "target": ".code-snippet-body",
226 | "content": "You can view different code snippets in different languages",
227 | "directionalHint": 0,
228 | "spotlightClicks":true,
229 | "hideCloseButton": false,
230 | "title": "Code snippets",
231 | "autoNext": false,
232 | "disableBeacon": true,
233 | "advanced": true,
234 | "expectedActionType": "",
235 | "query": {},
236 | "docsLink": "",
237 | "active": true
238 | },
239 | {
240 | "target": ".query-response *[data-content='Share xx']",
241 | "content": "Click here to share the current query with your friends",
242 | "directionalHint": 0,
243 | "spotlightClicks":true,
244 | "hideCloseButton": false,
245 | "title": "Share query",
246 | "autoNext": false,
247 | "disableBeacon": true,
248 | "advanced": true,
249 | "expectedActionType": "",
250 | "query": {},
251 | "docsLink": "",
252 | "active": true
253 | },
254 |
255 |
256 | {
257 | "target": ".query-box",
258 | "content": "You can type your Microsoft Graph queries in this text box. The query 'https://graph.microsoft.com/beta/me/' has been preloaded for you. Type 'profile' then press Enter to run it",
259 | "directionalHint": 10,
260 | "spotlightClicks":true,
261 | "hideCloseButton": true,
262 | "title": "Want to run a Graph API query?",
263 | "autoNext": false,
264 | "disableBeacon": true,
265 | "expectedActionType": "QUERY_GRAPH_SUCCESS",
266 | "query": {
267 | "selectedVerb": "GET",
268 | "selectedVersion": "v1.0",
269 | "sampleUrl": "https://graph.microsoft.com/beta/me/",
270 | "sampleHeaders": []
271 | },
272 | "advanced": false,
273 | "docsLink":"",
274 | "active": true
275 | },
276 | {
277 | "target": ".pivot-response *[data-content='Response preview xx']",
278 | "content": "This is the response preview button. Click here to view the response to the query you just ran",
279 | "directionalHint": 1,
280 | "spotlightClicks":true,
281 | "hideCloseButton": false,
282 | "autoNext": true,
283 | "disableBeacon": true,
284 | "advanced": false,
285 | "title": "Response preview",
286 | "docsLink": "",
287 | "expectedActionType":"",
288 | "active": true,
289 | "query": {}
290 | },
291 | {
292 | "target": ".response-preview-body",
293 | "content": "The query you just ran retrieves profile information from Microsoft Graph. This is the query response",
294 | "directionalHint": 1,
295 | "spotlightClicks":true,
296 | "hideCloseButton": false,
297 | "title": "Response preview",
298 | "autoNext": false,
299 | "disableBeacon": true,
300 | "advanced": false,
301 | "active": true,
302 | "docsLink": "",
303 | "expectedActionType":"",
304 | "query": {}
305 | },
306 | {
307 | "target": ".sample-queries-navigation",
308 | "content": "Some of the API endpoints that are part of the Microsoft Graph API are listed in this section. Click any of them to see some results",
309 | "directionalHint": 11,
310 | "spotlightClicks":true,
311 | "hideCloseButton": true,
312 | "title": "Want to run a Graph API query?",
313 | "autoNext": false,
314 | "disableBeacon": true,
315 | "expectedActionType": "QUERY_GRAPH_SUCCESS",
316 | "query": {},
317 | "advanced": false,
318 | "docsLink":"",
319 | "active": true
320 | },
321 | {
322 | "target": ".pivot-response *[data-content='Response preview xx']",
323 | "content": "This is the response preview button. Click here to view the response to the query you just ran",
324 | "directionalHint": 1,
325 | "spotlightClicks":true,
326 | "hideCloseButton": false,
327 | "autoNext": true,
328 | "disableBeacon": true,
329 | "advanced": false,
330 | "title": "Response preview",
331 | "docsLink": "",
332 | "active": true,
333 | "expectedActionType":"",
334 | "query": {}
335 | },
336 | {
337 | "target": ".response-preview-body",
338 | "content": "This is the API response to the query you just ran",
339 | "directionalHint": 0,
340 | "spotlightClicks":true,
341 | "title": "Response preview",
342 | "hideCloseButton":"",
343 | "autoNext": false,
344 | "disableBeacon": true,
345 | "expectedActionType": "",
346 | "query": {},
347 | "advanced": false,
348 | "docsLink":"",
349 | "active": true
350 | },
351 | {
352 | "target": ".side-bar-pivot *[data-content='History xx']",
353 | "content": "When you run queries, they're saved here. You can re-run the same queries by clicking them. Click here to view your history items",
354 | "directionalHint": 12,
355 | "spotlightClicks":true,
356 | "hideCloseButton": true,
357 | "title": "Graph queries history",
358 | "autoNext": true,
359 | "disableBeacon": true,
360 | "expectedActionType": "",
361 | "query": {},
362 | "advanced": false,
363 | "docsLink":"",
364 | "active": true
365 | },
366 | {
367 | "target": ".history-items",
368 | "content": "Here are queries that you have been running. Click any query to re-run it",
369 | "directionalHint": 11,
370 | "spotlightClicks":true,
371 | "hideCloseButton": true,
372 | "title": "Response preview",
373 | "autoNext": false,
374 | "disableBeacon": true,
375 | "advanced": false,
376 | "expectedActionType": "VIEW_HISTORY_ITEM_SUCCESS",
377 | "active": true,
378 | "docsLink":"",
379 | "query": {}
380 | },
381 | {
382 | "target": ".pivot-response *[data-content='Response preview xx']",
383 | "content": "This is the response preview button. Click here to view the response to the query you just ran",
384 | "directionalHint": 1,
385 | "spotlightClicks":true,
386 | "hideCloseButton": false,
387 | "autoNext": true,
388 | "disableBeacon": true,
389 | "advanced": false,
390 | "title": "Response preview",
391 | "docsLink": "",
392 | "active": true,
393 | "expectedActionType":"",
394 | "query":{}
395 | },
396 | {
397 | "target": ".response-preview-body",
398 | "content": "Here is the API response to the history item you just ran",
399 | "directionalHint": 11,
400 | "spotlightClicks":true,
401 | "hideCloseButton": false,
402 | "title": "Response preview",
403 | "autoNext": false,
404 | "disableBeacon": true,
405 | "advanced": false,
406 | "active": true,
407 | "docsLink": "",
408 | "query": {},
409 | "expectedActionType":""
410 | }
411 |
412 | ]
413 | }
--------------------------------------------------------------------------------
/messages/GE.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "add graph community call",
3 | "Consented": "Consented",
4 | "Security": "Security",
5 | "alerts": "alerts",
6 | "alerts with 'High' severity": "alerts with 'High' severity",
7 | "alerts filter by 'Category'": "alerts filter by 'Category'",
8 | "alerts from 'Azure Security Center'": "alerts from 'Azure Security Center'",
9 | "alerts select by 'Title'": "alerts select by 'Title'",
10 | "alerts filter by destination address": "alerts filter by destination address",
11 | "alerts filter by 'Status'": "alerts filter by 'Status'",
12 | "secure scores (beta)": "secure scores (beta)",
13 | "secure score control profiles (beta)": "secure score control profiles (beta)",
14 | "update alert": "update alert",
15 | "To try the explorer, please ": "To try the explorer, please ",
16 | "sign in": "Sign in",
17 | " with your work or school account from Microsoft.": " with your work or school account from Microsoft.",
18 | "Submit": "Submit",
19 | "Using demo tenant": "You are currently using a sample account.",
20 | "To access your own data:": "Sign in to access your own data.",
21 | "sign out": "Sign out",
22 | "History": "History",
23 | "Method": "Method",
24 | "Query": "Query",
25 | "Status Code": "Status code",
26 | "Duration": "Duration",
27 | "Go": "Go",
28 | "milliseconds": "ms",
29 | "YES": "YES",
30 | "Show More": "show more",
31 | "Graph Explorer": "Graph Explorer",
32 | "Failure": "Failure",
33 | "Success": "Success",
34 | "Authentication": "Authentication",
35 | "NO": "NO",
36 | "request header": "Request headers",
37 | "Request body editor": "Request body editor",
38 | "Run Query": "Run query",
39 | "request body": "Request body",
40 | "Close": "Close",
41 | "Getting Started": "Getting Started",
42 | "Response": "Response",
43 | "login to send requests": "Login to change the request type",
44 | "HTTP verb selector": "HTTP verb selector",
45 | "Share Query": "Share query",
46 | "Share this link to let people try your current query in the Graph Explorer.": "Share this link to let people try your current query in the Graph Explorer.",
47 | "Date": "Date",
48 | "my profile": "my profile",
49 | "my files": "my files",
50 | "my photo": "my photo",
51 | "my mail": "my mail",
52 | "my manager": "my manager",
53 | "User photo": "photo of the signed in user",
54 | "Response Headers": "Response headers",
55 | "Response headers viewer": "The response headers returned by Microsoft Graph",
56 | "Response body": "The response body returned by Microsoft Graph",
57 | "Response Preview": "Response preview",
58 | "Sample Queries": "Sample queries",
59 | "show more samples": "show more samples",
60 | "Sample Categories": "Sample categories",
61 | "On": "On",
62 | "Off": "Off",
63 | "Remove All": "Remove all",
64 | "Enter new header": "Enter new header",
65 | "Key": "Key",
66 | "Value": "Value",
67 | "Login to try this request": "Login to try this request",
68 | "modify permissions": "Modify permissions",
69 | "Save changes": "Save changes",
70 | "To change permissions, you will need to log-in again.": "To change permissions, you will need to log-in again.",
71 | "list items in my drive": "list items in my drive",
72 | "items trending around me": "items trending around me",
73 | "my direct reports": "my direct reports",
74 | "all users in the organization": "all users in the organization",
75 | "all users in the Finance department": "all users in the Finance department",
76 | "my skills": "my skills",
77 | "all my Planner tasks": "all my Planner tasks",
78 | "track user changes": "track user changes",
79 | "all groups in my organization": "all groups in my organization",
80 | "all groups I belong to": "all groups I belong to",
81 | "unified groups I belong to": "unified groups I belong to",
82 | "group members": "group members",
83 | "group's conversations": "group's conversations",
84 | "group's events": "group's events",
85 | "add favorite group": "add favorite group",
86 | "items in a group drive": "items in a group drive",
87 | "track group changes": "track group changes",
88 | "my high important mail": "my high important mail",
89 | "my mail that has 'Hello World'": "my mail that has 'Hello World'",
90 | "send an email": "send an email",
91 | "forward mail": "forward mail",
92 | "track email changes": "track email changes",
93 | "email I'm @ mentioned": "email I'm @ mentioned",
94 | "my events for the next week": "my events for the next week",
95 | "all events in my calendar": "all events in my calendar",
96 | "all my calendars": "all my calendars",
97 | "all my event reminders for next week": "all my event reminders for next week",
98 | "find meeting time": "find meeting time",
99 | "schedule a meeting": "schedule a meeting",
100 | "track changes on my events for the next week": "track changes on my events for the next week",
101 | "my contacts": "my contacts",
102 | "add contact": "add contact",
103 | "my recent files": "my recent files",
104 | "files shared with me": "files shared with me",
105 | "all of my excel files": "all of my excel files",
106 | "create a folder": "create a folder",
107 | "create session": "create session",
108 | "worksheets in a workbook": "worksheets in a workbook",
109 | "add a new worksheet": "add a new worksheet",
110 | "used range in worksheet": "used range in worksheet",
111 | "tables in worksheet": "tables in worksheet",
112 | "charts in worksheet": "charts in worksheet",
113 | "all Planner plans associated with a group": "all Planner plans associated with a group",
114 | "all Planner tasks for a plan": "all Planner tasks for a plan",
115 | "my organization's default SharePoint site": "my organization's default SharePoint site",
116 | "a SharePoint site by URL": "a SharePoint site by URL",
117 | "subsites in a SharePoint site": "subsites in a SharePoint site",
118 | "list in a SharePoint site ": "list in a SharePoint site ",
119 | "my notebooks": "my notebooks",
120 | "my sections": "my sections",
121 | "my pages": "my pages",
122 | "my inbox rules": "my inbox rules",
123 | "my outlook categories": "my outlook categories",
124 | "get email headers": "get email headers",
125 | "list conference rooms": "list conference rooms",
126 | "create notebook": "create notebook",
127 | "create section": "create section",
128 | "create page": "create page",
129 | "Users": "Users",
130 | "Users (beta)": "Users (beta)",
131 | "Groups": "Groups",
132 | "Groups (beta)": "Groups (beta)",
133 | "Outlook Mail": "Outlook Mail",
134 | "Outlook Mail (beta)": "Outlook Mail (beta)",
135 | "Outlook Calendar": "Outlook Calendar",
136 | "Outlook Calendar (beta)": "Outlook Calendar (beta)",
137 | "Personal Contacts": "Personal Contacts",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "Planner (beta)",
141 | "SharePoint Sites (beta)": "SharePoint Sites (beta)",
142 | "SharePoint Lists": "SharePoint Lists",
143 | "OneNote (beta)": "OneNote (beta)",
144 | "SharePoint Lists (beta)": "SharePoint Lists (beta)",
145 | "Insights": "Insights",
146 | "Insights (beta)": "Insights (beta)",
147 | "Preview": "Preview",
148 | "People": "People",
149 | "Extensions (beta)": "Extensions (beta)",
150 | "Batching": "Batching",
151 | "Extensions": "Extensions",
152 | "OneNote": "OneNote",
153 | "Planner": "Planner",
154 | "SharePoint Sites": "SharePoint Sites",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (beta)",
157 | "all buckets in Planner plan": "all buckets in Planner plan",
158 | "all Planner tasks for user": "all Planner tasks for user",
159 | "calculate loan payment": "calculate loan payment",
160 | "channel info": "channel info",
161 | "channels of a team which I am member of": "channels of a team which I am member of",
162 | "Combine a POST and a GET": "Combine a POST and a GET",
163 | "create a bucket in Planner plan": "create a bucket in Planner plan",
164 | "create a group with extension data": "create a group with extension data",
165 | "create a Planner task": "create a Planner task",
166 | "create an open extension": "create an open extension",
167 | "create channel": "create channel",
168 | "create chat thread": "create chat thread",
169 | "create user": "create user",
170 | "details for Planner task": "details for Planner task",
171 | "Enumerate list columns": "Enumerate list columns",
172 | "Enumerate list content types": "Enumerate list content types",
173 | "Enumerate list items with specific column values": "Enumerate list items with specific column values",
174 | "Enumerate site columns of the root site": "Enumerate site columns of the root site",
175 | "Enumerate site content types of the root site": "Enumerate site content types of the root site",
176 | "Enumerate subsites of the root site": "Enumerate subsites of the root site",
177 | "Enumerate the document libraries under the root site": "Enumerate the document libraries under the root site",
178 | "Enumerate the lists in the root site": "Enumerate the lists in the root site",
179 | "Enumerate the list items in a list": "Enumerate the list items in a list",
180 | "filter groups by extension property value": "filter groups by extension property value",
181 | "get an open extension": "get an open extension",
182 | "get available schema extensions": "get available schema extensions",
183 | "items in a team drive": "items in a team drive",
184 | "members of a team": "members of a team",
185 | "my joined teams": "my joined teams",
186 | "my mails from an address": "my mails from an address",
187 | "people I work with": "people I work with",
188 | "people relevant to a topic": "people relevant to a topic",
189 | "people whose name starts with J": "people whose name starts with J",
190 | "Perform parallel GETs": "Perform parallel GETs",
191 | "Planner plan": "Planner plan",
192 | "Planner task by id": "Planner task by id",
193 | "Search for a SharePoint site by keyword": "Search for a SharePoint site by keyword",
194 | "SharePoint site based on relative path of the site": "SharePoint site based on relative path of the site",
195 | "update a bucket in Planner plan": "update a bucket in Planner plan",
196 | "update a group with extension data": "update a group with extension data",
197 | "update a Planner plan": "update a Planner plan",
198 | "update a Planner task": "update a Planner task",
199 | "update an open extension": "update an open extension",
200 | "user by email": "user by email",
201 | "explorer-error": "We had an issue sending this request to the Graph API. For assistance, connect with us on StackOverflow with the tag [microsoftgraph].",
202 | "search my OneDrive": "search my OneDrive",
203 | "User Activities": "User Activities",
204 | "get recent user activities": "get recent user activities",
205 | "create a user activity and history item": "create a user activity and history item",
206 | "Applications (beta)": "Applications (beta)",
207 | "retrieve the list of applications in this organization": "retrieve the list of applications in this organization",
208 | "create a new application": "create a new application",
209 | "retrieve the properties and relationships of application object": "retrieve the properties and relationships of application object",
210 | "update the properties of application object": "update the properties of application object",
211 | "delete an application": "delete an application",
212 | "retrieve a list of directoryObject objects": "retrieve a list of directoryObject objects",
213 | "create a new owner": "create a new owner",
214 | "Notifications (beta)": "Notifications (beta)",
215 | "create a raw notification": "create a raw notification",
216 | "create a visual notification": "create a visual notification",
217 | "items shared with me": "items shared with me",
218 | "items viewed and modified by me": "items viewed and modified by me",
219 | "apps in a team": "apps in a team",
220 | "create TI indicator (beta)": "create TI indicator (beta)",
221 | "create multiple TI indicators (beta)": "create multiple TI indicators (beta)",
222 | "update a TI indicator (beta": "update a TI indicator (beta",
223 | "update multiple TI indicators (beta)": "update multiple TI indicators (beta)",
224 | "create security action (beta)": "create security action (beta)",
225 | "delete TI indicator (beta)": "delete TI indicator (beta)",
226 | "delete multiple TI indicators (beta)": "delete multiple TI indicators (beta)",
227 | "delete multiple TI indicators by external Id (beta)": "delete multiple TI indicators by external Id (beta)",
228 | "retrieve the list of applications": "retrieve the list of applications",
229 | "retrieve application properties": "retrieve application properties",
230 | "update application properties": "update application properties",
231 | "retrieve a list of owners": "retrieve a list of owners",
232 | "tabs in a channel": "tabs in a channel",
233 | "messages (without replies) in a channel": "messages (without replies) in a channel",
234 | "message in a channel": "message in a channel",
235 | "replies to a message in channel": "replies to a message in channel",
236 | "reply of a message": "reply of a message",
237 | "Export": "Export",
238 | "Action": "Action",
239 | "Canary": "Canary",
240 | "disable canary": "disable canary",
241 | "using canary": "You are using the canary version of Graph Explorer. Sign in to make requests",
242 | "use the Microsoft Graph API": "When you use Microsoft Graph APIs, you agree to the ",
243 | "Terms of use": "Microsoft APIs Terms of Use",
244 | "Microsoft Privacy Statement": "Microsoft Privacy Statement",
245 | "Add": "Add",
246 | "Snippets": "Code snippets",
247 | "Adaptive Cards": "Adaptive cards",
248 | "Office Dev Program": "Get a sandbox with sample data",
249 | "Fetching Adaptive Card": "Fetching adaptive card",
250 | "The Adaptive Card for this response is not available": "No Adaptive Card is available for this response. To learn more about how to create Adaptive Cards, see the",
251 | "loading samples": "Loading samples",
252 | "older": "Older",
253 | "today": "Today",
254 | "yesterday": "Yesterday",
255 | "actions": "Actions",
256 | "view": "View",
257 | "remove": "Remove",
258 | "back to classic": "Preview",
259 | "More actions": "More actions",
260 | "Permissions": "Permissions",
261 | "Sign In to see your access token.": "To view your access token, sign in to Graph Explorer.",
262 | "Sign In to try this sample": "Sign in to try this sample",
263 | "Signing you in...": "Signing you in...",
264 | "Share Query Message": "Share this link to let people try your current query in the Graph Explorer",
265 | "Copy": "Copy",
266 | "Change theme": "Change theme",
267 | "Dark": "Dark",
268 | "Light": "Light",
269 | "High Contrast": "High contrast",
270 | "Auth": "Auth",
271 | "Collapse": "Collapse",
272 | "Expand": "Expand",
273 | "Delete requests": "Delete all requests in the group",
274 | "To try operations other than GET": "To try operations other than GET or to access your own data",
275 | "To try the full features": "For access to more features that you can use to work with queries",
276 | "full Graph Explorer": "go to the full experience Graph Explorer",
277 | "Are you sure you want to delete these requests?": "Are you sure you want to delete these requests?",
278 | "Delete": "Delete",
279 | "Cancel": "Cancel",
280 | "running the query": "When you sign in, running the query will affect the data in your tenant.",
281 | "We did not find any history items": "We did not find any history items",
282 | "Expand response": "Expand response",
283 | "Access Token": "Access token",
284 | "Graph toolkit": "Toolkit component",
285 | "We did not find a Graph toolkit for this query": "No toolkit component is available for this response. To learn more about and contribute to the toolkit, see the",
286 | "Learn more about the Microsoft Graph Toolkit": "Microsoft Graph Toolkit public repo",
287 | "Open this example in": "Open this example in",
288 | "graph toolkit playground": "Graph toolkit playground",
289 | "consent to scopes": " Either the signed-in user does not have sufficient privileges, or you need to consent to one of the permissions on the ",
290 | "Display string": "Display string",
291 | "Description": "Description",
292 | "Status": "Status",
293 | "Admin consent required": "Admin consent required",
294 | "Consent": "Consent",
295 | "Revoke": "Unconsent",
296 | "permissions required to run the query": "One of the following permissions is required to run the query. If possible, consent to the least privileged permission.",
297 | "tab": " tab",
298 | "View the": " View the",
299 | "viewing a cached set": "You are viewing a cached set of samples because of a network connection failure.",
300 | "see more queries": "See more queries in the",
301 | "Microsoft Graph API Reference docs": "Microsoft Graph API Reference docs.",
302 | "Fetching permissions": "Fetching permissions",
303 | "Authentication failed": "Authentication failed",
304 | "view all permissions": "Consent to permissions",
305 | "Fetching code snippet": "Fetching code snippet",
306 | "Snippet not available": "Snippet not available",
307 | "Select different permissions": "To try out different Microsoft Graph API endpoints, choose the permissions, and then click Consent.",
308 | "Search permissions": "Search permissions",
309 | "permissions not found": "We did not find any permissions.",
310 | "selected": "selected",
311 | "Search sample queries": "Search sample queries",
312 | "Search history items": "Search history items",
313 | "Malformed JSON body": "Malformed JSON body",
314 | "Review the request body": "Review the request body and fix any malformed JSON.",
315 | "Minimize sidebar": "Minimize sidebar",
316 | "Toggle selection for all items": "Toggle selection for all items",
317 | "Toggle selection": "Toggle selection",
318 | "Row checkbox": "Row checkbox",
319 | "Administrator permission": "Admin of the tenant needs to authorize first before you can consent to this permission",
320 | "Adaptive Cards designer": "Adaptive Cards designer.",
321 | "Click Run Query button above to fetch Adaptive Card": "Click Run Query button above to fetch Adaptive Card.",
322 | "Fetching suggestions": "Fetching suggestions",
323 | "No auto-complete suggestions available": "No auto-complete suggestions available",
324 | "Your history includes queries made in the last 30 days": "Your history includes queries made in the last 30 days",
325 | "Get token details (Powered by jwt.ms)": "Get token details (Powered by jwt.ms)",
326 | "HTTP request method option": "HTTP request method option",
327 | "Microsoft Graph API Version option": "Microsoft Graph API Version option",
328 | "Query Sample Input": "Query sample input",
329 | "popup blocked, allow pop-up windows in your browser": "popup blocked, allow pop-up windows in your browser",
330 | "sign in to consent to permissions": "One of the following permissions is required to run the query. Sign in with an account that can consent to the permission you will choose.",
331 | "Sign in to use this method": "Sign in to use this method",
332 | "Request Header deleted": "Request Header deleted",
333 | "Request Header added": "Request Header added",
334 | "Sidebar minimized": "Sidebar minimized",
335 | "Sidebar maximized": "Sidebar maximized",
336 | "Response area expanded": "Response area expanded",
337 | "Close expanded response area": "Close expanded response area",
338 | "permissions not found in permissions tab": "Permissions for the query are missing on this tab. ",
339 | "sign in to view a list of all permissions": "Permissions for the query are missing on this tab. Sign in to use the Select permissions option in the settings icon next to your profile to see the full list of Microsoft Graph permissions and select the permission(s) you want and consent to them from there.",
340 | "open permissions panel": "Open the permissions panel",
341 | "permissions list": " to see the full list of Microsoft Graph permissions and select the permission(s) you want and consent to them from there.",
342 | "Get started with adaptive cards on": "Get started with adaptive cards on ",
343 | "Adaptive Cards Templating SDK": "Adaptive Cards Templating SDK",
344 | "card": "Card",
345 | "JSON Schema": "JSON template",
346 | "Report an Issue": "Report an Issue",
347 | "Maximize sidebar": "Maximize sidebar",
348 | "Getting your access token": "Getting your access token",
349 | "and experiment on": " and experiment on",
350 | "Scope consent failed": "Scope consent failed",
351 | "Permission consented": "Permission consented successfully",
352 | "Missing url": "Please enter a valid url to run the query",
353 | "This response contains an @odata property.": "This response contains an @odata property.",
354 | "Click here to follow the link": "Click here to follow the link.",
355 | "Signing you out...": "Signing you out...",
356 | "Admin consent not required": "Admin consent is not required",
357 | "Navigation help": "Navigate with right arrow key to access",
358 | "Actions menu": " Actions menu",
359 | "user_cancelled": "Please wait for the authentication process to finish.",
360 | "popup_window_error": "Please verify that pop-ups are enabled and try again.",
361 | "invalid_client": "Please ask your app administrator to check the app credentials (application client ID) on Azure app registrations.",
362 | "null_or_empty_id_token": "Please sign in again.",
363 | "authorization_code_missing_from_server_response": "Please sign in again.",
364 | "temporarily unavailable": "The server is temporarily unavailable. Please try again later.",
365 | "server-error": "The server is temporarily unavailable. Please try again later.",
366 | "no_tokens_found": "Please sign in again.",
367 | "invalid_request": "Please sign in again.",
368 | "user_login_error": "Please sign in again.",
369 | "nonce_mismatch_error": "Please sign in again.",
370 | "login_in_progress": "Please sign in again.",
371 | "interaction_in_progress": "Please sign in again.",
372 | "interaction_required": "Please sign in again.",
373 | "invalid_grant": "Please sign in again.",
374 | "consent_required": "Please consent to the permissions requested or sign in with a different account.",
375 | "access_denied": "Your permission to access Graph Explorer has been blocked by your tenant admin. Ask your admin to grant you access to these permissions.",
376 | "Tip": "Tip",
377 | "monitor_window_timeout": "Please check your network connection and verify that pop-ups are enabled, and then try again.",
378 | "consent_required_consent": "Please consent to the permission to access this feature.",
379 | "interaction_required_consent": "Please wait for the consent process to finish and verify that pop-ups are enabled.",
380 | "user_cancelled_consent": "Please wait for the consent process to finish.",
381 | "access_denied_consent": "Your consent to this permission has been blocked by your tenant admin. Ask your admin to grant you access and then try again.",
382 | "This response contains unviewable content": "This response contains content that may not be viewable on this editor.",
383 | "Click to download file": "Click to download file.",
384 | "Learn more": "Learn more",
385 | "loading resources": "loading resources",
386 | "Isolate": "Isolate",
387 | "Search resources": "Search resources",
388 | "Select version": "Select version",
389 | "Close isolation": "Close isolation",
390 | "Path display": "Path display",
391 | "More path links": "More path links",
392 | "Resources available": "Resources available",
393 | "Selected Resources": "Selected Resources",
394 | "A documentation link for this URL exists. Click learn more to access it": "A documentation link for this URL exists. Click here to access it",
395 | "Feedback": "Help Improve Graph Explorer?",
396 | "Comment question": "Tell us more about your experience",
397 | "Prompt question": "We'd love your Feedback",
398 | "No": "No",
399 | "Yes": "Yes",
400 | "title": "Graph Explorer Feedback",
401 | "Rating question": "Overall, how easy was it to use Graph Explorer?",
402 | "Extremely difficult": "Extremely difficult",
403 | "Slightly difficult": "Slightly difficult",
404 | "Neither easy nor difficult": "Neither easy nor difficult",
405 | "Slightly easy": "Slightly easy",
406 | "Rating": "Rating",
407 | "Extremely easy": "Extremely easy",
408 | "Email (optional)": "Email (optional)",
409 | "You can contact me about this feedback": "You can contact me about this feedback",
410 | "Privacy Statement": "Privacy Statement",
411 | "Submitted Successfully": "Submitted Successfully",
412 | "Privacy consent": "By pressing submit, your feedback will be used to improve Microsoft products and services. Your IT admin will be able to collect this data",
413 | "Graph Rating Question": "How likely are you to recommend Microsoft Graph for development to another developer?",
414 | "love your feedback": "We'd love your feedback!",
415 | "We have just two questions": "We have just two questions.",
416 | "Sure": "Sure",
417 | "Not now": "Not now",
418 | "Please tell us more. Why did you choose that answer": "Please tell us more. Why did you choose that answer?",
419 | "Not at all likely": "Not at all likely",
420 | "Extremely likely": "Extremely likely",
421 | "Show methods": "Show methods",
422 | "Set Query": "Set Query",
423 | "Query parameters": "Query parameters",
424 | "Preview collection": "Preview collection",
425 | "Download postman collection": "Download Postman collection",
426 | "Export list as a Postman collection message": "You can export the entire list as a Postman Collection. If there are items in the list you would not want, select them to remove.",
427 | "Copied": "Copied",
428 | "Invalid whitespace in URL": "Invalid whitespace in URL",
429 | "Response content not available due to CORS policy": "The response content is not available in Graph Explorer due to CORS policy. You can execute this request in an API client, like Postman. Read more about CORS and understand how it works",
430 | "here": "here",
431 | "Invalid version in URL": "Invalid version in URL",
432 | "More info": "More info",
433 | "Could not connect to the sandbox": "Could not connect to the sandbox",
434 | "Failed to get profile information": "Failed to get profile information",
435 | "Do you want to remove all the items you have added to the collection?": "Do you want to remove all the items you have added to the collection?",
436 | "Delete collection": "Delete collection",
437 | "Leverage libraries": "Leverage the power of our client libraries. Download the",
438 | "Client library": "client library here ",
439 | "SDKs documentation": "To read more about our SDKs, go to the documentation page at ",
440 | "Add to collection": "Add to collection",
441 | "Switch to beta": "Switch to beta",
442 | "Resources": "Resources",
443 | "More items": "More items",
444 | "Update": "Update",
445 | "Edit request header": "Edit request header",
446 | "Remove request header": "Remove request header",
447 | "Settings": "Settings",
448 | "sign in other account": "Sign in with a different account",
449 | "Help": "Help",
450 | "Graph Documentation": "Microsoft Graph API Reference",
451 | "Parts between {} need to be replaced with real values": "Parts between {} need to be replaced with real values",
452 | "Get started with Graph Explorer": "Get started with Graph Explorer",
453 | "No resources found": "We did not find any resource items",
454 | "No samples found": "We did not find any sample queries",
455 | "You require the following permissions to revoke": "You require Directory.Read.All and DelegatedPermissionGrant.ReadWrite.All to be able to revoke consent to permissions",
456 | "Cannot delete default scope": "Graph Explorer requires this permission for its normal working behavior",
457 | "Permission revoked": "Permission revoked successfully. Sign out and sign in again for these changes to take effect. These changes may take some time to reflect on your token",
458 | "An error occurred when unconsenting": "An error occurred when unconsenting. Please try again",
459 | "You are unconsenting to an admin pre-consented permission": "You are unconsenting to an admin pre-consented permission. Ask your tenant admin to revoke consent to this permission on Azure AD",
460 | "Possible error found in URL near": "Possible error found in URL near",
461 | "AllPrincipal scope": "AllPrincipal scope",
462 | "You cannot revoke AllPrincipal permissions": "You cannot revoke this permission as its consent has been granted tenant-wide by your tenant admin",
463 | "You cannot revoke permissions not in your scopes": "You are experiencing a delay in updating this permission on AAD. Try again after a few minutes",
464 | "Unconsent": "Unconsent",
465 | "AllPrincipal": "AllPrincipal",
466 | "Principal": "Principal",
467 | "Consent type": "Consent type",
468 | "Failed to revoke consent": "An error occurred when unconsenting. Please try again",
469 | "Permission consent type": "Shows whether consent to the permission is personal or tenant-wide",
470 | "Permission propagation delay": "Permission propagation delay",
471 | "Scope consent successful": "Scope consent successful",
472 | "Documentation": "Documentation",
473 | "Query documentation": "Query documentation",
474 | "This token is not a jwt token and cannot be decoded by jwt.ms": "This token is not a jwt token and cannot be decoded by jwt.ms",
475 | "The URL must contain graph.microsoft.com": "The URL must contain graph.microsoft.com",
476 | "Query documentation not found": "Query documentation not found",
477 | "Fetching code snippet failing": "Retry again",
478 | "Fetching permissions failing": "Retry again",
479 | "Read documentation": "Read documentation",
480 | "Reload consent-type": "Confirm that you have consented to Directory.Read.All or Directory.ReadWrite.All or DelegatedPermissionGrant.ReadWrite.All and that you have reauthenticated if you revoked this permission earlier then click Reload",
481 | "An error occured during the revoking process": "An error occured during the revoking process. Click the Unconsent button to retry the request",
482 | "Retrying": "Retrying",
483 | "You require the following permissions to read": "You require Directory.Read.All or Directory.ReadWrite.All or DelegatedPermissionGrant.ReadWrite.All to read permission grants for your tenant",
484 | "We are retrying the revoking operation": "An error occurred during the revoking process. We are retrying the revoking operation",
485 | "Remove from collection": "Remove from collection"
486 | }
--------------------------------------------------------------------------------
/messages/GE_de-DE.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "Graph-Community-Call hinzufügen",
3 | "Consented": "Zugestimmt",
4 | "Security": "Sicherheit",
5 | "alerts": "Warnungen",
6 | "alerts with 'High' severity": "Warnungen mit Schweregrad „Hoch“",
7 | "alerts filter by 'Category'": "Warnungen nach „Kategorie“ filtern",
8 | "alerts from 'Azure Security Center'": "Warnungen vom „Azure Security Center“",
9 | "alerts select by 'Title'": "Warnungen nach „Titel“",
10 | "alerts filter by destination address": "Warnungen nach Zieladresse filtern",
11 | "alerts filter by 'Status'": "Warnungen nach „Status“ filtern",
12 | "secure scores (beta)": "Sicherheitsbewertungen (Beta)",
13 | "secure score control profiles (beta)": "Profile für Steuerung der Sicherheitsbewertung (Beta)",
14 | "update alert": "Warnung aktualisieren",
15 | "To try the explorer, please ": "Um den Explorer auszuprobieren, bitte ",
16 | "sign in": "Beim Graph Explorer anmelden",
17 | " with your work or school account from Microsoft.": " mit Ihrem Geschäfts-, Schul- oder Unikonto von Microsoft.",
18 | "Submit": "Senden",
19 | "Using demo tenant": "Sie verwenden derzeit ein Beispielkonto.",
20 | "To access your own data:": "Melden Sie sich an, um auf Ihre eigenen Daten zuzugreifen.",
21 | "sign out": "Abmelden",
22 | "History": "Verlauf",
23 | "Method": "Methode",
24 | "Query": "Abfrage",
25 | "Status Code": "Statuscode",
26 | "Duration": "Dauer",
27 | "Go": "Gehe zu",
28 | "milliseconds": "ms",
29 | "YES": "JA",
30 | "Show More": "Mehr anzeigen",
31 | "Graph Explorer": "Graph-Tester",
32 | "Failure": "Misserfolg",
33 | "Success": "Erfolg",
34 | "Authentication": "Authentifizierung",
35 | "NO": "NEIN",
36 | "request header": "Anforderungsheader",
37 | "Request body editor": "Anforderungstext-Editor",
38 | "Run Query": "Abfrage ausführen",
39 | "request body": "Anforderungstext",
40 | "Close": "Schließen",
41 | "Getting Started": "Erste Schritte",
42 | "Response": "Antwort",
43 | "login to send requests": "Melden Sie an, um den Anforderungstyp zu ändern",
44 | "HTTP verb selector": "HTTP-Verbselektor",
45 | "Share Query": "Abfrage freigeben",
46 | "Share this link to let people try your current query in the Graph Explorer.": "Teilen Sie diesen Link, damit Benutzer Ihre aktuelle Abfrage im Graph-Explorer ausprobieren können.",
47 | "Date": "Datum",
48 | "my profile": "Mein Profil",
49 | "my files": "meine Dateien",
50 | "my photo": "Mein Foto",
51 | "my mail": "Meine E-Mail",
52 | "my manager": "Mein Vorgesetzter",
53 | "User photo": "Foto des angemeldeten Benutzers",
54 | "Response Headers": "Antwortheader",
55 | "Response headers viewer": "Die von Microsoft Graph zurückgegebenen Antwortheader",
56 | "Response body": "Der von Microsoft Graph zurückgegebene Antworttext",
57 | "Response Preview": "Antwortvorschau",
58 | "Sample Queries": "Beispiele für Abfragen",
59 | "show more samples": "Mehr Beispiele anzeigen",
60 | "Sample Categories": "Beispielkategorien",
61 | "On": "Ein",
62 | "Off": "Aus",
63 | "Remove All": "Alle entfernen",
64 | "Enter new header": "Neuen Header eingeben",
65 | "Key": "Schlüssel",
66 | "Value": "Wert",
67 | "Login to try this request": "Melden Sie sich an, um diese Anforderung zu testen",
68 | "modify permissions": "Berechtigungen ändern (Vorschau)",
69 | "Save changes": "Änderungen speichern",
70 | "To change permissions, you will need to log-in again.": "Um Berechtigungen zu ändern, müssen Sie sich erneut anmelden.",
71 | "all the items in my drive": "Alle Elemente in meinem Laufwerk",
72 | "items trending around me": "Populäre Elemente",
73 | "my direct reports": "Meine Mitarbeiter",
74 | "all users in the organization": "Alle Benutzer in der Organisation",
75 | "all users in the Finance department": "Alle Benutzer in der Finanzabteilung",
76 | "my skills": "Meine Skills",
77 | "all my Planner tasks": "Alle meine Planner-Aufgaben",
78 | "track user changes": "Benutzeränderungen nachverfolgen",
79 | "all groups in my organization": "Alle Benutzer in meiner Organisation",
80 | "all groups I belong to": "Alle Gruppen, bei denen ich Mitglied bin",
81 | "unified groups I belong to": "Einheitliche Gruppen, bei denen ich Mitglied bin",
82 | "group members": "Gruppenmitglieder",
83 | "group's conversations": "Gruppenunterhaltungen",
84 | "group's events": "Gruppenereignisse",
85 | "add favorite group": "Favoritengruppe hinzufügen",
86 | "items in a group drive": "Elemente in einem Gruppenlaufwerk",
87 | "track group changes": "Gruppenänderungen nachverfolgen",
88 | "my high important mail": "Meine E-Mails mit Wichtigkeit „Hoch“",
89 | "my mail that has 'Hello World'": "Meine E-Mail, die „Hello World“ enthält",
90 | "send an email": "E-Mail senden",
91 | "forward mail": "E-Mail weiterleiten",
92 | "track email changes": "E-Mail-Änderungen nachverfolgen",
93 | "email I'm @ mentioned": "E-Mail, in der ich @-erwähnt werde",
94 | "my events for the next week": "Meine Ereignisse für die nächste Woche",
95 | "all events in my calendar": "Alle Ereignisse im meinem Kalender",
96 | "all my calendars": "Alle meinen Kalender",
97 | "all my event reminders for next week": "Alle meine Ereigniserinnerungen für nächste Woche",
98 | "find meeting time": "Besprechungszeit suchen",
99 | "schedule a meeting": "Besprechung planen",
100 | "track changes on my events for the next week": "Änderungen meiner Ereignisse für die nächste Woche nachverfolgen",
101 | "my contacts": "Meine Kontakte",
102 | "add contact": "Kontakt hinzufügen",
103 | "my recent files": "Meine zuletzt verwendete Dateien",
104 | "files shared with me": "Mit mir geteilte Dateien",
105 | "all of my excel files": "Alle meine Excel-Dateien",
106 | "create a folder": "Ordner erstellen",
107 | "create session": "Sitzung erstellen",
108 | "worksheets in a workbook": "Arbeitsblätter in einer Arbeitsmappe",
109 | "add a new worksheet": "Neues Arbeitsblatt hinzufügen",
110 | "used range in worksheet": "Im Arbeitsblatt verwendeter Bereich",
111 | "tables in worksheet": "Tabellen im Arbeitsblatt",
112 | "charts in worksheet": "Diagramme im Arbeitsblatt",
113 | "all Planner plans associated with a group": "Alle einer Gruppe zugeordneten Planner-Pläne",
114 | "all Planner tasks for a plan": "Alle Planner-Aufgaben für einen Plan",
115 | "my organization's default SharePoint site": "SharePoint-Standardwebsite meiner Organisation",
116 | "a SharePoint site by URL": "SharePoint-Website nach URL",
117 | "subsites in a SharePoint site": "Unterwebsites einer SharePoint-Website",
118 | "list in a SharePoint site ": "Liste auf einer SharePoint-Website ",
119 | "my notebooks": "Meine Notizbücher",
120 | "my sections": "Meine Abschnitte",
121 | "my pages": "Meine Seiten",
122 | "my inbox rules": "Meine Posteingangsregeln",
123 | "my outlook categories": "Meine Outlook-Kategorien",
124 | "get email headers": "E-Mail-Header abrufen",
125 | "list conference rooms": "Konferenzräume auflisten",
126 | "create notebook": "Notizbuch erstellen",
127 | "create section": "Abschnitt erstellen",
128 | "create page": "Seite erstellen",
129 | "Users": "Benutzer",
130 | "Users (beta)": "Benutzer (Beta)",
131 | "Groups": "Gruppen",
132 | "Groups (beta)": "Gruppen (Beta)",
133 | "Outlook Mail": "Outlook Mail",
134 | "Outlook Mail (beta)": "Outlook Mail (Beta)",
135 | "Outlook Calendar": "Outlook-Kalender",
136 | "Outlook Calendar (beta)": "Outlook-Kalender (Beta)",
137 | "Personal Contacts": "Private Kontakte",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "Planner (Beta)",
141 | "SharePoint Sites (beta)": "SharePoint-Websites (Beta)",
142 | "SharePoint Lists": "SharePoint-Listen",
143 | "OneNote (beta)": "OneNote (Beta)",
144 | "SharePoint Lists (beta)": "SharePoint-Listen (Beta)",
145 | "Insights": "Insights",
146 | "Insights (beta)": "Insights (Beta)",
147 | "Preview": "Vorschau",
148 | "People": "Personen",
149 | "Extensions (beta)": "Extensions (Beta)",
150 | "Batching": "Batchverarbeitung",
151 | "Extensions": "Extensions",
152 | "OneNote": "OneNote",
153 | "Planner": "Planner",
154 | "SharePoint Sites": "SharePoint-Websites",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (Beta)",
157 | "all buckets in Planner plan": "Alle Buckets im Planner-Plan",
158 | "all Planner tasks for user": "Alle Planner-Aufgaben für Benutzer",
159 | "calculate loan payment": "Darlehenszahlung berechnen",
160 | "channel info": "Kanalinformationen",
161 | "channels of a team which I am member of": "Kanäle eines Teams, in dem ich Mitglied bin",
162 | "Combine a POST and a GET": "POST und GET kombinieren",
163 | "create a bucket in Planner plan": "Bucket im Planner-Plan erstellen",
164 | "create a group with extension data": "Gruppe mit Erweiterungsdaten erstellen",
165 | "create a Planner task": "Planner-Aufgabe erstellen",
166 | "create an open extension": "Offene Erweiterung erstellen",
167 | "create channel": "Kanal erstellen",
168 | "create chat thread": "Chatthread erstellen",
169 | "create user": "Benutzer erstellen",
170 | "details for Planner task": "Details zur Planner-Aufgabe",
171 | "Enumerate list columns": "Listenspalten auflisten",
172 | "Enumerate list content types": "Listeninhaltstypen auflisten",
173 | "Enumerate list items with specific column values": "Listenelemente mit bestimmten Spaltenwerten auflisten",
174 | "Enumerate site columns of the root site": "Websites der Stammwebsite auflisten",
175 | "Enumerate site content types of the root site": "Websiteinhaltstypen der Stammwebsite auflisten",
176 | "Enumerate subsites of the root site": "Unterwebsites der Stammwebsite aufzählen",
177 | "Enumerate the document libraries under the root site": "Dokumentbibliotheken unter der Stammwebsite aufzählen",
178 | "Enumerate the lists in the root site": "Listen in der Stammwebsite aufzählen",
179 | "Enumerate the list items in a list": "Die Listenelemente in einer Liste aufzählen",
180 | "filter groups by extension property value": "Gruppen nach Wert von Erweiterungseigenschaft filtern",
181 | "get an open extension": "Offene Erweiterung abrufen",
182 | "get available schema extensions": "Verfügbare Schemaerweiterungen abrufen",
183 | "items in a team drive": "Elemente in einer Teamlaufwerk",
184 | "members of a team": "Mitglieder eines Teams",
185 | "my joined teams": "Meine verknüpften Teams",
186 | "my mails from an address": "Meine E-Mails von einer Adresse",
187 | "people I work with": "Personen, mit denen ich arbeite",
188 | "people relevant to a topic": "Personen, die für ein Thema relevant sind",
189 | "people whose name starts with J": "Personen, deren Name mit J beginnt",
190 | "Perform parallel GETs": "Parallele GET-Vorgänge durchführen",
191 | "Planner plan": "Planner-Plan",
192 | "Planner task by id": "Planner-Aufgabe nach ID",
193 | "Search for a SharePoint site by keyword": "SharePoint-Website nach Schlüsselwort suchen",
194 | "SharePoint site based on relative path of the site": "SharePoint-Website basierend auf relativem Pfad der Website",
195 | "update a bucket in Planner plan": "Bucket im Planner-Plan aktualisieren",
196 | "update a group with extension data": "Gruppe mit Erweiterungsdaten aktualisieren",
197 | "update a Planner plan": "Planner-Plan aktualisieren",
198 | "update a Planner task": "Planner-Aufgabe aktualisieren",
199 | "update an open extension": "Offene Erweiterung aktualisieren",
200 | "user by email": "Benutzer nach E-Mail",
201 | "explorer-error": "Beim Senden dieser Anforderung an die Graph-API ist ein Fehler aufgetreten. Um Unterstützung zu erhalten, verbinden Sie sich mit uns auf StackOverflow, und verwenden Sie dazu das Tag [microsoftgraph].",
202 | "search my OneDrive": "mein OneDrive durchsuchen",
203 | "User Activities": "Benutzeraktivitäten",
204 | "get recent user activities": "Aktuelle Benutzeraktivitäten abrufen",
205 | "create a user activity and history item": "Benutzeraktivitäts- und Verlaufselement erstellen",
206 | "Applications (beta)": "Anwendungen (Beta)",
207 | "retrieve the list of applications in this organization": "Liste der Anwendungen in dieser Organisation abrufen",
208 | "create a new application": "Eine neue Anwendung erstellen",
209 | "retrieve the properties and relationships of application object": "Die Eigenschaften und Beziehungen des Anwendungsobjekts abrufen",
210 | "update the properties of application object": "Die Eigenschaften eines Anwendungsobjekts aktualisieren",
211 | "delete an application": "Anwendung löschen",
212 | "retrieve a list of directoryObject objects": "Liste von directoryobject-Objekten abrufen",
213 | "create a new owner": "Neuen Besitzer erstellen",
214 | "Notifications (beta)": "Benachrichtigungen (Beta)",
215 | "create a raw notification": "Unformatierte Benachrichtigung erstellen",
216 | "create a visual notification": "Visuelle Benachrichtigung erstellen",
217 | "items shared with me": "Mit mir geteilte Elemente",
218 | "items viewed and modified by me": "Von mir angezeigte und geänderte Elemente",
219 | "apps in a team": "Apps in einem Team",
220 | "create TI indicator (beta)": "Erstellen von TI-Indikator (beta)",
221 | "create multiple TI indicators (beta)": "Erstellen von mehreren TI-Indikatoren (beta)",
222 | "update a TI indicator (beta": "Aktualisieren von TI-Indikator (beta)",
223 | "update multiple TI indicators (beta)": "Aktualisieren von mehreren TI-Indikatoren (beta)",
224 | "create security action (beta)": "Erstellen einer Sicherheitsaktion (beta)",
225 | "delete TI indicator (beta)": "Löschen von TI-Indikator (beta)",
226 | "delete multiple TI indicators (beta)": "Löschen von mehreren TI-Indikatoren (beta)",
227 | "delete multiple TI indicators by external Id (beta)": "Löschen von mehreren TI-Indikatoren nach externer ID (beta)",
228 | "retrieve the list of applications": "Abrufen der Liste mit Anwendungen",
229 | "retrieve application properties": "Abrufen von Anwendungseigenschaften",
230 | "update application properties": "Aktualisieren von Anwendungseigenschaften",
231 | "retrieve a list of owners": "Abrufen einer Liste mit Besitzern",
232 | "tabs in a channel": "Tabstopps in einem Kanal",
233 | "messages (without replies) in a channel": "Nachrichten in einem Kanal (ohne Antworten)",
234 | "message in a channel": "Nachricht in einem Kanal",
235 | "replies to a message in channel": "Antworten auf eine Nachricht im Kanal",
236 | "reply of a message": "Antwort auf eine Nachricht",
237 | "Export": "Exportieren",
238 | "Action": "Aktion",
239 | "Canary": "Canary",
240 | "disable canary": "Canary deaktivieren",
241 | "using canary": "Sie verwenden die Canary-Version von Graph Explorer. Melden Sie sich an, um Anfragen zu stellen",
242 | "use the Microsoft Graph API": "Wenn Sie Microsoft Graph-APIs verwenden, stimmen Sie den ",
243 | "Terms of use": "Nutzungsbedingungen für Microsoft-APIs",
244 | "Microsoft Privacy Statement": "Microsoft-Datenschutzbestimmungen zu",
245 | "Add": "Hinzufügen",
246 | "Snippets": "Codeausschnitte",
247 | "Adaptive Cards": "Adaptive Karten",
248 | "Office Dev Program": "Abrufen eines Sandkastens mit Beispieldaten",
249 | "Fetching Adaptive Card": "Adaptive Karte wird abgerufen",
250 | "The Adaptive Card for this response is not available": "Für diese Antwort ist keine adaptive Karte verfügbar. Weitere Informationen zur Erstellung von adaptiven Karten finden Sie unter",
251 | "loading samples": "Beispiele werden geladen",
252 | "older": "Älter",
253 | "today": "Heute",
254 | "yesterday": "Gestern",
255 | "actions": "Aktionen",
256 | "view": "Anzeigen",
257 | "remove": "Entfernen",
258 | "back to classic": "Vorschau",
259 | "More actions": "Weitere Aktionen",
260 | "Permissions": "Berechtigungen",
261 | "Sign In to see your access token.": "Wenn Sie Ihr Zugriffstoken anzeigen möchten, melden Sie sich bei Graph Explorer an.",
262 | "Sign In to try this sample": "Melden Sie sich an, um dieses Beispiel zu testen",
263 | "Signing you in...": "Anmelden...",
264 | "Share Query Message": "Teilen Sie diesen Link, damit Benutzer Ihre aktuelle Abfrage im Graph-Tester testen können.",
265 | "Copy": "Kopieren",
266 | "Change theme": "Design ändern",
267 | "Dark": "Dunkel",
268 | "Light": "Hell",
269 | "High Contrast": "Hoher Kontrast",
270 | "Auth": "Auth",
271 | "Collapse": "Collapse",
272 | "Expand": "Erweitern",
273 | "Delete requests": "Löschen aller Anforderungen in der Gruppe",
274 | "To try operations other than GET": "Um andere Vorgänge als ABRUFEN auszuprobieren oder auf Ihre eigenen Dateien zuzugreifen",
275 | "To try the full features": "Für den Zugriff auf weitere Funktionen, die Sie zum Arbeiten mit Abfragen verwenden können",
276 | "full Graph Explorer": "Zur vollständigen Benutzeroberfläche des Graph-Explorers wechseln",
277 | "Are you sure you want to delete these requests?": "Möchten Sie diese Anforderungen wirklich löschen?",
278 | "Delete": "Löschen",
279 | "Cancel": "Abbrechen",
280 | "running the query": "Wenn Sie sich anmelden, wirkt sich das Ausführen der Abfrage auf die Daten in Ihrem Mandanten aus.",
281 | "We did not find any history items": "Es wurden keine Historienelemente gefunden.",
282 | "Expand response": "Antwort erweitern",
283 | "Access Token": "Zugriffstoken",
284 | "Graph toolkit": "Toolkit-Komponente",
285 | "We did not find a Graph toolkit for this query": "Keine Toolkit-Komponente ist für diese Antwort verfügbar. Weitere Informationen darüber und wie Sie zum Toolkit beitragen, finden Sie im",
286 | "Learn more about the Microsoft Graph Toolkit": "Öffentliches Repo des Microsoft Graph-Toolkit",
287 | "Open this example in": "Öffnen Sie dieses Beispiel in",
288 | "graph toolkit playground": "Graph-Toolkit-Spielplatz",
289 | "consent to scopes": " Sie müssen den Berechtigungen zustimmen ",
290 | "Permission": "Berechtigung",
291 | "Display string": "Anzeigezeichenfolge",
292 | "Description": "Beschreibung",
293 | "Status": "Status",
294 | "Admin consent required": "Administratorzustimmung erforderlich",
295 | "Consent": "Zustimmung",
296 | "permissions required to run the query": "Eine der nachfolgenden Berechtigungen ist erforderlich, um diese Abfrage ausführen zu können. Wählen Sie eine Berechtigung und klicken Sie auf Zustimmung.",
297 | "tab": " Registerkarte",
298 | "View the": " anzeigen",
299 | "viewing a cached set": "Aufgrund eines Netzwerkverbindungsfehlers sehen Sie einen zwischengespeicherten Satz von Beispielen.",
300 | "see more queries": "Weitere Abfragen finden Sie in den",
301 | "Microsoft Graph API Reference docs": "Microsoft Graph-API-Referenzdokumenten.",
302 | "Fetching permissions": "Berechtigungen werden abgerufen",
303 | "Authentication failed": "Authentifizierung fehlgeschlagen",
304 | "view all permissions": "Berechtigungen auswählen",
305 | "Fetching code snippet": "Code-Schnipsel abrufen",
306 | "Snippet not available": "Snippet nicht verfügbar",
307 | "Select different permissions": "Um verschiedene Microsoft Graph API-Endpunkte auszuprobieren, wählen Sie die Berechtigungen aus und klicken Sie dann auf Zustimmen.",
308 | "Search permissions": "Suchberechtigungen",
309 | "permissions not found": "Wir haben keine Genehmigungen gefunden.",
310 | "selected": "ausgewählt",
311 | "Search sample queries": "Beispielabfragen durchsuchen",
312 | "Search history items": "Verlaufselemente durchsuchen",
313 | "Malformed JSON body": "Falsch formatierter JSON-Textkörper",
314 | "Review the request body": "Überprüfen Sie den Textkörper der Anforderung und beheben Sie alle falsch formatierten JSON.",
315 | "Minimize sidebar": "Minimieren der Randleiste",
316 | "Toggle selection for all items": "Auswahl für alle Elemente umschalten",
317 | "Toggle selection": "Auswahl umschalten",
318 | "Row checkbox": "Zeilenkontrollkästchen",
319 | "Administrator permission": "Der Administrator des Mandanten muss zuerst die Autorisierung vornehmen, bevor Sie dieser Berechtigung zustimmen können",
320 | "Adaptive Cards designer": "Designer für adaptive Karten.",
321 | "Click Run Query button above to fetch Adaptive Card": "Klicken Sie oben auf die Schaltfläche „Abfrage ausführen“, um die adaptive Karte abzurufen.",
322 | "Fetching suggestions": "Vorschläge werden abgerufen",
323 | "No auto-complete suggestions available": "Keine Vorschläge für die automatische Vervollständigung vorhanden",
324 | "Your history includes queries made in the last 30 days": "Ihr Verlauf enthält Abfragen, die in den letzten 30 Tagen durchgeführt wurden",
325 | "Get token details (Powered by jwt.ms)": "Abrufen von Token-Details (unterstützt von jwt.ms)",
326 | "HTTP request method option": "HTTP-Anforderungsmethode (Option)",
327 | "Microsoft Graph API Version option": "Microsoft Graph-API-Version (Option)",
328 | "Query Sample Input": "Beispieleingabe für eine Abfrage",
329 | "popup blocked, allow pop-up windows in your browser": "Popup blockiert, Popup-Fenster in Ihrem Browser zulassen",
330 | "sign in to consent to permissions": "Eine der nachfolgenden Berechtigungen ist erforderlich, um diese Abfrage ausführen zu können. Melden Sie sich mit einem Konto an, über das Sie den von Ihnen ausgewählten Berechtigungen zustimmen können.",
331 | "Sign in to use this method": "Anmelden, um diese Methode zu verwenden",
332 | "Request Header deleted": "Anforderungsheader gelöscht",
333 | "Request Header added": "Anforderungsheader hinzugefügt",
334 | "Sidebar minimized": "Randleiste minimiert",
335 | "Sidebar maximized": "Randleiste maximiert",
336 | "Response area expanded": "Antwortbereich erweitert",
337 | "Close expanded response area": "Den erweiterten Antwortbereich schließen",
338 | "permissions not found in permissions tab": "Auf dieser Registerkarte fehlen Berechtigungen für die Abfrage. ",
339 | "permissions preview": "Diese Funktion befindet sich in der Vorschau und zeigt möglicherweise derzeit nicht alle Berechtigungen für einige Abfragen an.",
340 | "sign in to view a list of all permissions": "Auf dieser Registerkarte fehlen Berechtigungen für die Abfrage. Melden Sie sich an und verwenden Sie die Option \"Berechtigungen auswählen\" im Einstellungssymbol neben Ihrem Profil, um die vollständige Liste der Microsoft Graph-Berechtigungen anzuzeigen, und wählen Sie die gewünschte(n) Berechtigung(en) aus und stimmen Sie diese von dort aus zu.",
341 | "open permissions panel": "Öffnen Sie das Berechtigungsfenster",
342 | "permissions list": " um die vollständige Liste der Microsoft Graph-Berechtigungen anzuzeigen. Wählen Sie die gewünschte(n) Berechtigung(en) aus und stimmen Sie diese(n) von dort aus zu.",
343 | "Get started with adaptive cards on": "Erste Schritte mit angepassten Karten auf ",
344 | "Adaptive Cards Templating SDK": "Adaptive Cards Templating SDK",
345 | "card": "Karte",
346 | "JSON Schema": "JSON-Vorlage",
347 | "Report an Issue": "Melden eines Problems",
348 | "Maximize sidebar": "Maximieren der Randleiste",
349 | "Getting your access token": "Ihr Zugriffstoken wird abgerufen.",
350 | "and experiment on": " und experimentieren mit",
351 | "Scope consent failed": "Umfangsgenehmigung fehlgeschlagen",
352 | "Missing url": "Geben Sie eine gültige URL ein, um die Abfrage auszuführen.",
353 | "This response contains an @odata property.": "Dies Antwort beinhaltet eine @odata Eigenschaft.",
354 | "Click here to follow the link": "Klicken Sie hier, um dem Link zu folgen.",
355 | "Signing you out...": "Sie werden abgemeldet...",
356 | "Admin consent not required": "Administratorzustimmung nicht erforderlich",
357 | "Navigation help": "Navigieren mit der NACH-RECHTS-TASTE für den Zugriff",
358 | "Actions menu": " Menü „Aktionen“",
359 | "user_cancelled": "Bitte warten Sie, bis der Authentifizierungsprozess abgeschlossen ist.",
360 | "popup_window_error": "Bitte überprüfen Sie, ob Popups aktiviert sind, und versuchen Sie es erneut.",
361 | "invalid_client": "Bitten Sie Ihren App-Administrator, die App-Anmeldeinformationen (Anwendungsclient-ID) bei Azure-App-Registrierungen zu überprüfen.",
362 | "null_or_empty_id_token": "Bitte melden Sie sich neu an.",
363 | "authorization_code_missing_from_server_response": "Bitte melden Sie sich neu an.",
364 | "temporarily unavailable": "Der Server ist vorübergehend nicht verfügbar. Bitte versuchen Sie es später erneut.",
365 | "server-error": "Der Server ist vorübergehend nicht verfügbar. Bitte versuchen Sie es später erneut.",
366 | "no_tokens_found": "Bitte melden Sie sich neu an.",
367 | "invalid_request": "Bitte melden Sie sich neu an.",
368 | "user_login_error": "Bitte melden Sie sich neu an.",
369 | "nonce_mismatch_error": "Bitte melden Sie sich neu an.",
370 | "login_in_progress": "Bitte melden Sie sich neu an.",
371 | "interaction_in_progress": "Bitte melden Sie sich neu an.",
372 | "interaction_required": "Bitte melden Sie sich neu an.",
373 | "invalid_grant": "Bitte melden Sie sich neu an.",
374 | "consent_required": "Bitte stimmen Sie den angeforderten Berechtigungen zu oder melden Sie sich mit einem anderen Konto an.",
375 | "access_denied": "Ihre Berechtigung zum Zugriff auf Graph Explorer wurde von Ihrem Mandantenadministrator blockiert. Bitten Sie Ihren Administrator, Ihnen Zugriff auf diese Berechtigungen zu gewähren.",
376 | "Tip": "Tipp",
377 | "monitor_window_timeout": "Überprüfen Sie bitte Ihre Netzwerkverbindung und stellen Sie sicher, dass Pop-ups aktiviert sind, und versuchen Sie es dann erneut.",
378 | "consent_required_consent": "Bitte stimmen Sie der Berechtigung für den Zugriff auf dieses Feature zu.",
379 | "interaction_required_consent": "Bitte warten Sie, bis der Zustimmungsprozess abgeschlossen ist, und überprüfen Sie, ob Popups aktiviert sind.",
380 | "user_cancelled_consent": "Bitte warten Sie, bis der Zustimmungsprozess abgeschlossen ist.",
381 | "access_denied_consent": "Ihre Zustimmung zu dieser Berechtigung wurde von Ihrem Mandantenadministrator blockiert. Bitten Sie Ihren Administrator, Ihnen Zugriff zu gewähren, und versuchen Sie es dann erneut.",
382 | "This response contains unviewable content": "Diese Antwort enthält Inhalte, die in diesem Editor möglicherweise nicht angezeigt werden können.",
383 | "Click to download file": "Klicken, um die Datei herunterzuladen.",
384 | "Learn more": "Weitere Informationen",
385 | "loading resources": "Ressourcen werden geladen",
386 | "Isolate": "Isolieren",
387 | "Search resources": "Ressourcen suchen",
388 | "Select version": "Version auswählen",
389 | "Close isolation": "Isolation schließen",
390 | "Path display": "Pfadanzeige",
391 | "More path links": "Weitere Pfadlinks",
392 | "Resources available": "Ressourcen verfügbar",
393 | "Selected Resources": "Ausgewählte Ressourcen",
394 | "A documentation link for this URL exists. Click learn more to access it": "Ein Dokumentationslink für diese URL ist vorhanden. Klicken Sie auf \"Weitere Informationen\", um darauf zuzugreifen.",
395 | "Feedback": "Haben Sie Feedback?",
396 | "Comment question": "Erzählen Sie uns mehr von Ihren Erfahrungen",
397 | "Prompt question": "Wir freuen uns über Ihr Feedback!",
398 | "No": "Nein",
399 | "Yes": "Ja",
400 | "title": "Graph-Tester-Feedback",
401 | "Rating question": "Wie einfach war die Anwendung von Graph-Tester im Allgemeinen?",
402 | "Extremely difficult": "Äußerst schwierig",
403 | "Slightly difficult": "Etwas schwierig",
404 | "Neither easy nor difficult": "Weder einfach noch schwierig",
405 | "Slightly easy": "Eher einfach",
406 | "Rating": "Bewertung",
407 | "Extremely easy": "Äußerst einfach",
408 | "Email (optional)": "E-Mail (optional)",
409 | "You can contact me about this feedback": "Sie können mich zu diesem Feedback kontaktieren",
410 | "Privacy Statement": "Datenschutzbestimmungen",
411 | "Submitted Successfully": "Erfolgreich übermittelt",
412 | "Privacy consent": "Durch das Absenden bestätigen Sie, dass Ihr Feedback zur Verbesserung von Microsoft-Produkten und -Diensten verwendet wird. Ihr IT-Administrator kann diese Daten sammeln.",
413 | "Graph Rating Question": "Wie wahrscheinlich ist es, dass Sie Microsoft Graph für die Entwicklung einem anderen Entwickler empfehlen?",
414 | "love your feedback": "Wir freuen uns über Ihr Feedback!",
415 | "We have just two questions": "Wir haben nur zwei Fragen an Sie.",
416 | "Sure": "Sicher",
417 | "Not now": "Nicht jetzt",
418 | "Please tell us more. Why did you choose that answer": "Bitte teilen Sie uns mehr Details mit. Warum haben Sie diese Antwort ausgewählt?",
419 | "Not at all likely": "Sehr unwahrscheinlich",
420 | "Extremely likely": "Extrem wahrscheinlich",
421 | "Show methods": "Methode anzeigen",
422 | "Set Query": "Abfrage festlegen",
423 | "Query parameters": "Abfrageparameter",
424 | "Preview collection": "Vorschau der Sammlung",
425 | "Download postman collection": "Postman-Sammlung herunterladen",
426 | "Export list as a Postman collection message": "Sie können die gesamte Liste als Postman-Sammlung exportieren. Wenn die Liste Elemente enthält, die darin nicht enthalten sein sollen, wählen Sie diese aus, um sie zu entfernen.",
427 | "Copied": "Kopiert",
428 | "Invalid whitespace in URL": "Ungültige Leerzeichen in URL",
429 | "Response content not available due to CORS policy": "Der Antwortinhalt ist im Graph-Tester aufgrund der CORS-Richtlinie nicht verfügbar. Sie können diese Anforderung in einem API-Client wie Postman ausführen. Erfahren Sie mehr über CORS, und lernen Sie, wie es funktioniert",
430 | "here": "hier",
431 | "Invalid version in URL": "Ungültige Version in der URL",
432 | "More info": "Weitere Informationen"
433 | }
434 |
--------------------------------------------------------------------------------
/messages/GE_ja-JP.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "Graph コミュニティ コールの追加",
3 | "Consented": "同意済み",
4 | "Security": "セキュリティ",
5 | "alerts": "アラート",
6 | "alerts with 'High' severity": "重要度 - '高' のアラート",
7 | "alerts filter by 'Category'": "'カテゴリ' でフィルター処理するアラート",
8 | "alerts from 'Azure Security Center'": "'Azure Security Center' からのアラート",
9 | "alerts select by 'Title'": "'タイトル' で選択するアラート",
10 | "alerts filter by destination address": "宛先アドレスでフィルター処理するアラート",
11 | "alerts filter by 'Status'": "'状態' でフィルター処理するアラート",
12 | "secure scores (beta)": "セキュリティ スコア (ベータ版)",
13 | "secure score control profiles (beta)": "プロファイルを制御するセキュリティ スコア (ベータ版)",
14 | "update alert": "警告の更新",
15 | "To try the explorer, please ": "エクスプローラーを試すには、 ",
16 | "sign in": "サインイン",
17 | " with your work or school account from Microsoft.": " Graph Explorer にサインインしてください。",
18 | "Submit": "送信",
19 | "Using demo tenant": "現在、サンプル アカウントを使用しています。",
20 | "To access your own data:": "サインインすると自分のデータにアクセスできます。",
21 | "sign out": "サインアウト",
22 | "History": "履歴",
23 | "Method": "メソッド",
24 | "Query": "クエリ",
25 | "Status Code": "状態コード",
26 | "Duration": "期間",
27 | "Go": "実行",
28 | "milliseconds": "ミリ秒",
29 | "YES": "はい",
30 | "Show More": "さらに表示",
31 | "Graph Explorer": "Graph エクスプローラー",
32 | "Failure": "失敗",
33 | "Success": "成功",
34 | "Authentication": "認証",
35 | "NO": "いいえ",
36 | "request header": "要求ヘッダー",
37 | "Request body editor": "要求本文エディター",
38 | "Run Query": "クエリの実行",
39 | "request body": "要求本文",
40 | "Close": "閉じる",
41 | "Getting Started": "はじめに",
42 | "Response": "応答",
43 | "login to send requests": "要求の種類を変更するにはログインしてください",
44 | "HTTP verb selector": "HTTP 動詞セレクター",
45 | "Share Query": "クエリの共有",
46 | "Share this link to let people try your current query in the Graph Explorer.": "他のユーザーが Graph エクスプローラーで現在のクエリを試せるようにするには、このリンクを共有してください。",
47 | "Date": "日付",
48 | "my profile": "自分のプロファイル",
49 | "my files": "自分のファイル",
50 | "my photo": "自分の写真",
51 | "my mail": "自分のメール",
52 | "my manager": "自分の上司",
53 | "User photo": "サインインしているユーザーの写真",
54 | "Response Headers": "応答ヘッダー",
55 | "Response headers viewer": "Microsoft Graph で返される応答ヘッダー",
56 | "Response body": "Microsoft Graph で返される応答本文",
57 | "Response Preview": "応答のプレビュー",
58 | "Sample Queries": "サンプル クエリ",
59 | "show more samples": "サンプルをさらに表示",
60 | "Sample Categories": "サンプル カテゴリ",
61 | "On": "オン",
62 | "Off": "オフ",
63 | "Remove All": "すべて削除",
64 | "Enter new header": "新しいヘッダーの入力",
65 | "Key": "キー",
66 | "Value": "値",
67 | "Login to try this request": "ログインしてこの要求を試す",
68 | "modify permissions": "アクセス許可の修正 (プレビュー)",
69 | "Save changes": "変更の保存",
70 | "To change permissions, you will need to log-in again.": "アクセス許可を変更するには、もう一度ログインする必要があります。",
71 | "all the items in my drive": "自分のドライブ内のすべての項目",
72 | "items trending around me": "自分の周りで人気上昇中の項目",
73 | "my direct reports": "自分の直属の部下",
74 | "all users in the organization": "組織内のすべてのユーザー",
75 | "all users in the Finance department": "財務部門のすべてのユーザー",
76 | "my skills": "自分のスキル",
77 | "all my Planner tasks": "自分のすべてのプランナー タスク",
78 | "track user changes": "ユーザー変更の追跡",
79 | "all groups in my organization": "自分の組織内のすべてのグループ",
80 | "all groups I belong to": "自分の所属するすべてのグループ",
81 | "unified groups I belong to": "自分の所属する統合グループ",
82 | "group members": "グループ メンバー",
83 | "group's conversations": "グループの会話",
84 | "group's events": "グループのイベント",
85 | "add favorite group": "お気に入りのグループを追加する",
86 | "items in a group drive": "グループ ドライブ内の項目",
87 | "track group changes": "グループ変更の追跡",
88 | "my high important mail": "重要度の高い自分のメール",
89 | "my mail that has 'Hello World'": "'Hello World' を含む自分のメール",
90 | "send an email": "電子メールを送信する",
91 | "forward mail": "電子メールを転送する",
92 | "track email changes": "電子メール変更の追跡",
93 | "email I'm @ mentioned": "自分が @ メンションされている電子メール",
94 | "my events for the next week": "来週の自分の予定",
95 | "all events in my calendar": "自分の予定表のすべての予定",
96 | "all my calendars": "自分のすべての予定表",
97 | "all my event reminders for next week": "来週の自分のすべての予定のアラーム",
98 | "find meeting time": "会議の日時を検索する",
99 | "schedule a meeting": "会議の予約",
100 | "track changes on my events for the next week": "来週の自分の予定の変更の追跡",
101 | "my contacts": "連絡先",
102 | "add contact": "連絡先を追加する",
103 | "my recent files": "最近使ったファイル",
104 | "files shared with me": "自分と共有したファイル",
105 | "all of my excel files": "自分のすべての Excel ファイル",
106 | "create a folder": "フォルダーを作成する",
107 | "create session": "セッションを作成する",
108 | "worksheets in a workbook": "ブック内のワークシート",
109 | "add a new worksheet": "新しいワークシートを追加する",
110 | "used range in worksheet": "ワークシートの使用範囲",
111 | "tables in worksheet": "ワークシートのテーブル",
112 | "charts in worksheet": "ワークシートのグラフ",
113 | "all Planner plans associated with a group": "グループに関連付けられているすべてのプランナーの計画",
114 | "all Planner tasks for a plan": "計画のすべてのプランナー タスク",
115 | "my organization's default SharePoint site": "自分の組織の既定の SharePoint サイト",
116 | "a SharePoint site by URL": "URL ごとの SharePoint サイト",
117 | "subsites in a SharePoint site": "SharePoint サイト内のサブサイト",
118 | "list in a SharePoint site ": "SharePoint サイト内のリスト ",
119 | "my notebooks": "自分のノートブック",
120 | "my sections": "自分のセクション",
121 | "my pages": "自分のページ",
122 | "my inbox rules": "自分の受信トレイのルール",
123 | "my outlook categories": "自分の Outlook カテゴリ",
124 | "get email headers": "電子メール ヘッダーを取得する",
125 | "list conference rooms": "会議室をリスト表示する",
126 | "create notebook": "ノートブックを作成する",
127 | "create section": "セクションを作成する",
128 | "create page": "ページを作成する",
129 | "Users": "ユーザー",
130 | "Users (beta)": "ユーザー (ベータ版)",
131 | "Groups": "グループ",
132 | "Groups (beta)": "グループ (ベータ版)",
133 | "Outlook Mail": "Outlook メール",
134 | "Outlook Mail (beta)": "Outlook メール (ベータ版)",
135 | "Outlook Calendar": "Outlook カレンダー",
136 | "Outlook Calendar (beta)": "Outlook カレンダー (ベータ版)",
137 | "Personal Contacts": "個人用連絡先",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "Planner (ベータ版)",
141 | "SharePoint Sites (beta)": "SharePoint サイト (ベータ版)",
142 | "SharePoint Lists": "SharePoint リスト",
143 | "OneNote (beta)": "OneNote (ベータ版)",
144 | "SharePoint Lists (beta)": "SharePoint リスト (ベータ版)",
145 | "Insights": "Insights",
146 | "Insights (beta)": "Insights (ベータ版)",
147 | "Preview": "プレビュー",
148 | "People": "連絡先",
149 | "Extensions (beta)": "拡張機能 (ベータ版)",
150 | "Batching": "バッチ処理",
151 | "Extensions": "拡張機能",
152 | "OneNote": "OneNote",
153 | "Planner": "Planner",
154 | "SharePoint Sites": "SharePoint サイト",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (ベータ版)",
157 | "all buckets in Planner plan": "プランナーの計画内のすべてのバケット",
158 | "all Planner tasks for user": "ユーザーのすべての Planner タスク",
159 | "calculate loan payment": "ローンの支払を計算する",
160 | "channel info": "チャネル情報",
161 | "channels of a team which I am member of": "自分がメンバーであるチームのチャネル",
162 | "Combine a POST and a GET": "POST と GET を組み合わせる",
163 | "create a bucket in Planner plan": "プランナーの計画内にバケットを作成する",
164 | "create a group with extension data": "拡張データを含むグループを作成する",
165 | "create a Planner task": "プランナー タスクを作成する",
166 | "create an open extension": "オープン拡張機能を作成する",
167 | "create channel": "チャネルを作成する",
168 | "create chat thread": "チャット スレッドを作成する",
169 | "create user": "ユーザーを作成する",
170 | "details for Planner task": "Planner タスクの詳細",
171 | "Enumerate list columns": "リスト列を列挙する",
172 | "Enumerate list content types": "リスト コンテンツ タイプを列挙する",
173 | "Enumerate list items with specific column values": "特定の列の値を持つリスト項目を列挙する",
174 | "Enumerate site columns of the root site": "ルート サイトのサイト列を列挙する",
175 | "Enumerate site content types of the root site": "ルート サイトのサイト コンテンツ タイプを列挙する",
176 | "Enumerate subsites of the root site": "ルート サイトのサブサイトを列挙する",
177 | "Enumerate the document libraries under the root site": "ルート サイトのドキュメント ライブラリを列挙する",
178 | "Enumerate the lists in the root site": "ルート サイト内のリストを列挙する",
179 | "Enumerate the list items in a list": "リスト内のリスト項目を列挙する",
180 | "filter groups by extension property value": "拡張プロパティの値によってグループをフィルターする",
181 | "get an open extension": "オープン拡張機能を取得する",
182 | "get available schema extensions": "利用可能なスキーマ拡張を取得する",
183 | "items in a team drive": "チーム ドライブ内のアイテム",
184 | "members of a team": "チームのメンバー",
185 | "my joined teams": "結合された自分のチーム",
186 | "my mails from an address": "特定のアドレスからの自分のメール",
187 | "people I work with": "共に作業する人",
188 | "people relevant to a topic": "トピックに関連する人",
189 | "people whose name starts with J": "J で始まる名前を持つ人",
190 | "Perform parallel GETs": "GET を並列で実行する",
191 | "Planner plan": "Planner の計画",
192 | "Planner task by id": "ID ごとのプランナー タスク",
193 | "Search for a SharePoint site by keyword": "キーワードで SharePoint サイトを検索する",
194 | "SharePoint site based on relative path of the site": "サイトの相対パスに基づく SharePoint サイト",
195 | "update a bucket in Planner plan": "プランナーの計画内のバケットを更新する",
196 | "update a group with extension data": "拡張データを含むグループを更新する",
197 | "update a Planner plan": "プランナーの計画を更新する",
198 | "update a Planner task": "プランナー タスクを更新する",
199 | "update an open extension": "オープン拡張機能を更新する",
200 | "user by email": "メールごとのユーザー",
201 | "explorer-error": "この要求の Graph API への送信で問題が発生しました。サポートが必要な場合は、StackOverflow で [microsoftgraph] タグを付けて質問を投稿してください。",
202 | "search my OneDrive": "自分の OneDrive を検索",
203 | "User Activities": "ユーザー アクティビティ",
204 | "get recent user activities": "最近のユーザー アクティビティを取得する",
205 | "create a user activity and history item": "ユーザー アクティビティと履歴項目を作成する",
206 | "Applications (beta)": "アプリケーション (ベータ版)",
207 | "retrieve the list of applications in this organization": "この組織内のアプリケーションの一覧を取得する",
208 | "create a new application": "新しいアプリケーションを作成する",
209 | "retrieve the properties and relationships of application object": "アプリケーション オブジェクトのプロパティと関係を取得する",
210 | "update the properties of application object": "アプリケーション オブジェクトのプロパティを更新する",
211 | "delete an application": "アプリケーションを削除する",
212 | "retrieve a list of directoryObject objects": "directoryObject オブジェクトのリストを取得する",
213 | "create a new owner": "新しい所有者を作成する",
214 | "Notifications (beta)": "通知 (ベータ版)",
215 | "create a raw notification": "直接通知を作成する",
216 | "create a visual notification": "ビジュアル通知を作成する",
217 | "items shared with me": "自分と共有されたアイテム",
218 | "items viewed and modified by me": "自分が表示また変更したアイテム",
219 | "apps in a team": "チーム内のアプリ",
220 | "create TI indicator (beta)": "TI インジケーターを作成する (ベータ版)",
221 | "create multiple TI indicators (beta)": "複数の TI インジケーターを作成する (ベータ版)",
222 | "update a TI indicator (beta": "TI インジケーターを更新する (ベータ版",
223 | "update multiple TI indicators (beta)": "複数の TI インジケーターを更新する (ベータ版)",
224 | "create security action (beta)": "セキュリティ アクションを作成する (ベータ版)",
225 | "delete TI indicator (beta)": "TI インジケーターを削除する (ベータ版)",
226 | "delete multiple TI indicators (beta)": "複数の TI インジケーターを削除する (ベータ版)",
227 | "delete multiple TI indicators by external Id (beta)": "外部 ID に基づいて複数の TI インジケーターを削除する (ベータ版)",
228 | "retrieve the list of applications": "アプリケーションの一覧を取得する",
229 | "retrieve application properties": "アプリケーションのプロパティを取得する",
230 | "update application properties": "アプリケーションのプロパティを更新する",
231 | "retrieve a list of owners": "所有者のリストを取得する",
232 | "tabs in a channel": "チャネル内のタブ",
233 | "messages (without replies) in a channel": "チャネル内のメッセージ (返信なし)",
234 | "message in a channel": "チャネル内のメッセージ",
235 | "replies to a message in channel": "チャネル内のメッセージへの返信",
236 | "reply of a message": "メッセージの返信",
237 | "Export": "エクスポート",
238 | "Action": "アクション",
239 | "Canary": "カナリア",
240 | "disable canary": "カナリアを無効にする",
241 | "using canary": "Graph エクスプローラーのカナリア バージョンを使用しています。サインインして要求を実行する",
242 | "use the Microsoft Graph API": "Microsoft Graph API を使用する場合は、に同意したものとします。 ",
243 | "Terms of use": "Microsoft API の使用条件",
244 | "Microsoft Privacy Statement": "Microsoft のプライバシーに関する声明",
245 | "Add": "追加",
246 | "Snippets": "コード スニペット",
247 | "Adaptive Cards": "アダプティブ カード",
248 | "Office Dev Program": "サンプル データを含むサンドボックスを入手する",
249 | "Fetching Adaptive Card": "アダプティブ カードの取得",
250 | "The Adaptive Card for this response is not available": "この応答に使用できるアダプティブ カードはありません。アダプティブ カードの作成方法の詳細については、次を参照してください",
251 | "loading samples": "サンプルの読み込み",
252 | "older": "以前",
253 | "today": "今日",
254 | "yesterday": "昨日",
255 | "actions": "操作",
256 | "view": "表示",
257 | "remove": "削除",
258 | "back to classic": "プレビュー",
259 | "More actions": "その他の操作",
260 | "Permissions": "アクセス許可",
261 | "Sign In to see your access token.": "アクセス トークンを表示するには、Graph エクスプローラーにサインインします。",
262 | "Sign In to try this sample": "サインインしてこのサンプルを試す",
263 | "Signing you in...": "サインイン中...",
264 | "Share Query Message": "このリンクを共有して、他のユーザーが Graph エクスプローラーで現在のクエリを試せるようにする",
265 | "Copy": "コピー",
266 | "Change theme": "テーマを変更",
267 | "Dark": "ダーク",
268 | "Light": "ライト",
269 | "High Contrast": "ハイ コントラスト",
270 | "Auth": "認証",
271 | "Collapse": "折りたたむ",
272 | "Expand": "展開",
273 | "Delete requests": "グループ内のすべての要求を削除する",
274 | "To try operations other than GET": "GET 以外の操作を試みる、または独自のデータにアクセスするには",
275 | "To try the full features": "クエリの操作に使用できるその他の機能にアクセスするには",
276 | "full Graph Explorer": "フル エクスペリエンスの Graph エクスプローラーに移動します",
277 | "Are you sure you want to delete these requests?": "これらの要求を削除してよろしいですか?",
278 | "Delete": "削除",
279 | "Cancel": "キャンセル",
280 | "running the query": "サインインしてクエリを実行すると、テナントのデータに影響します。",
281 | "We did not find any history items": "履歴項目が見つかりませんでした",
282 | "Expand response": "返信の展開",
283 | "Access Token": "アクセス トークン",
284 | "Graph toolkit": "ツールキットコンポーネント",
285 | "We did not find a Graph toolkit for this query": "この応答には、使用可能なツールキットコンポーネントはありません。詳細情報とツールキットへの提供については、こちらをご覧ください。",
286 | "Learn more about the Microsoft Graph Toolkit": "Microsoft Graph ツールキット パブリック リポジトリ",
287 | "Open this example in": "この例をこちらで開く",
288 | "graph toolkit playground": "Graph のツールキット プレイグラウンド",
289 | "consent to scopes": " サインインしたユーザーが十分な権限を持っていないか、または次のアクセス許可のいずれかに同意する必要があります ",
290 | "Display string": "表示文字列",
291 | "Description": "説明",
292 | "Status": "状態",
293 | "Admin consent required": "管理者の同意が必要",
294 | "Consent": "同意",
295 | "permissions required to run the query": "このクエリを実行するには、次のいずれかのアクセス許可が必要です。アクセス許可を選び、[同意する] をクリックします。",
296 | "tab": " タブ",
297 | "View the": " を表示する",
298 | "viewing a cached set": "ネットワーク接続に失敗したため、キャッシュされたサンプルのセットを表示しています。",
299 | "see more queries": "さらにクエリを見る: ",
300 | "Microsoft Graph API Reference docs": "Microsoft Graph API の参照ドキュメント。",
301 | "Fetching permissions": "アクセス許可を取得する",
302 | "Authentication failed": "認証に失敗しました",
303 | "view all permissions": "アクセス許可への同意",
304 | "Fetching code snippet": "コード スニペットを取得しています",
305 | "Snippet not available": "スニペットを使用できません",
306 | "Select different permissions": "さまざまな Microsoft Graph API エンドポイントを試すには、アクセス許可を選択し、[同意] をクリックします。",
307 | "Search permissions": "検索アクセス許可",
308 | "permissions not found": "アクセス許可が見つかりませんでした。",
309 | "selected": "選択されました",
310 | "Search sample queries": "サンプル クエリの検索",
311 | "Search history items": "検索履歴アイテム",
312 | "Malformed JSON body": "不正な形式の JSON の本文",
313 | "Review the request body": "要求の本文を確認し、不正な形式の JSON を修正します。",
314 | "Minimize sidebar": "サイドバーを最小化する",
315 | "Toggle selection for all items": "すべてのアイテムの選択を切り替える",
316 | "Toggle selection": "選択の切り替え",
317 | "Row checkbox": "行チェックボックス",
318 | "Administrator permission": "このアクセス許可を承認するには、テナントの管理者が最初に承認する必要があります",
319 | "Adaptive Cards designer": "アダプティブ カード デザイナー。",
320 | "Click Run Query button above to fetch Adaptive Card": "上の [クエリの実行] ボタンをクリックして、アダプティブ カードを取得します。",
321 | "Fetching suggestions": "提案の取得",
322 | "No auto-complete suggestions available": "オートコンプリートの候補はありません",
323 | "Your history includes queries made in the last 30 days": "履歴には、過去 30 日間に実行されたクエリが含まれています",
324 | "Get token details (Powered by jwt.ms)": "トークンの詳細を取得する (提供: jwt.ms)",
325 | "HTTP request method option": "HTTP 要求メソッド オプション",
326 | "Microsoft Graph API Version option": "Microsoft Graph API バージョン オプション",
327 | "Query Sample Input": "クエリのサンプル入力",
328 | "popup blocked, allow pop-up windows in your browser": "ポップアップがブロックされています。ブラウザーでポップアップ ウィンドウを許可してください",
329 | "sign in to consent to permissions": "このクエリを実行するには、次のいずれかのアクセス許可が必要です。選択するアクセス許可に同意可能なアカウントでサインインします。",
330 | "Sign in to use this method": "サインインしてこのメソッドを使用する",
331 | "Request Header deleted": "要求ヘッダーが削除されました",
332 | "Request Header added": "要求ヘッダーが追加されました",
333 | "Sidebar minimized": "サイドバーが最小化されました",
334 | "Sidebar maximized": "サイドバーが最大化されました",
335 | "Response area expanded": "応答領域が拡張されました",
336 | "Close expanded response area": "拡張された応答領域を閉じる",
337 | "permissions not found in permissions tab": "このタブにはクエリの権限がありません。",
338 | "permissions preview": "この機能はプレビュー段階にあり、現在、一部のクエリのすべてのアクセス許可が表示されていない可能性があります。",
339 | "sign in to view a list of all permissions": "このタブにはクエリのアクセス許可がありません。サインインして、プロファイルの横にある設定アイコンの [アクセス許可を選択する] オプションを使用して、[Microsoft Graph のアクセス許可] の完全なリストを表示し、必要なアクセス許可を選択して、そこから同意します。",
340 | "open permissions panel": "[アクセス許可] パネルを開きます。",
341 | "permissions list": " [Microsoft Graph のアクセス許可] の完全なリストを表示し、必要なアクセス許可を選択して、そこから同意します。",
342 | "Get started with adaptive cards on": "アダプティブ カードを使ってみる ",
343 | "Adaptive Cards Templating SDK": "アダプティブ カード テンプレート SDK",
344 | "card": "カード",
345 | "JSON Schema": "JSON テンプレート",
346 | "Report an Issue": "問題の報告",
347 | "Maximize sidebar": "サイド バーを最大化する",
348 | "Getting your access token": "アクセス トークンを取得する",
349 | "and experiment on": " ここをクリックしてください",
350 | "Scope consent failed": "スコープの同意に失敗しました",
351 | "Missing url": "クエリを実行するには、有効な URL を入力してください",
352 | "This response contains an @odata property.": "この応答には、@odata プロパティが含まれています。",
353 | "Click here to follow the link": "ここをクリックしてリンクをフォローします。",
354 | "Signing you out...": "サインアウトしています...",
355 | "Admin consent not required": "管理者の同意は必要ありません",
356 | "Navigation help": "右方向キーを使用して移動し、アクセスする",
357 | "Actions menu": " [操作] メニュー",
358 | "user_cancelled": "認証プロセスが完了するまでお待ちください。",
359 | "popup_window_error": "ポップアップが有効になっていることを確認してから、もう一度お試しください。",
360 | "invalid_client": "Azure アプリの登録で、アプリの資格情報 (アプリケーション クライアント ID) を確認するようにアプリ管理者に依頼してください。",
361 | "null_or_empty_id_token": "もう一度サインインしてください。",
362 | "authorization_code_missing_from_server_response": "もう一度サインインしてください。",
363 | "temporarily unavailable": "サーバーが一時的に利用できません。後でもう一度やり直してください。",
364 | "server-error": "サーバーが一時的に利用できません。後でもう一度やり直してください。",
365 | "no_tokens_found": "もう一度サインインしてください。",
366 | "invalid_request": "もう一度サインインしてください。",
367 | "user_login_error": "もう一度サインインしてください。",
368 | "nonce_mismatch_error": "もう一度サインインしてください。",
369 | "login_in_progress": "もう一度サインインしてください。",
370 | "interaction_in_progress": "もう一度サインインしてください。",
371 | "interaction_required": "もう一度サインインしてください。",
372 | "invalid_grant": "もう一度サインインしてください。",
373 | "consent_required": "要求されたアクセス許可に同意するか、別のアカウントでサインインしてください。",
374 | "access_denied": "Graph エクスプローラー にアクセスするためのアクセス許可がテナント管理者によってブロックされました。これらのアクセス許可へのアクセス権を付与するよう管理者に依頼してください。",
375 | "Tip": "ヒント",
376 | "monitor_window_timeout": "ネットワーク接続を確認し、ポップアップが有効になっていることを確認してから、もう一度お試しください。",
377 | "consent_required_consent": "この機能にアクセスするためのアクセス許可に同意してください。",
378 | "interaction_required_consent": "同意プロセスが完了するのを待ち、ポップアップが有効になっていることを確認してください。",
379 | "user_cancelled_consent": "同意プロセスが完了するまでお待ちください。",
380 | "access_denied_consent": "このアクセス許可に対する同意は、テナント管理者によってブロックされています。管理者にアクセス権の付与を依頼してから、もう一度お試しください。",
381 | "This response contains unviewable content": "この応答には、このエディターで表示できない可能性があるコンテンツが含まれています。",
382 | "Click to download file": "クリックしてファイルをダウンロードします。",
383 | "Learn more": "詳細情報",
384 | "loading resources": "リソースの読み込み",
385 | "Isolate": "分離する",
386 | "Search resources": "リソースの検索",
387 | "Select version": "バージョンを選択",
388 | "Close isolation": "緊密な分離",
389 | "Path display": "パス表示",
390 | "More path links": "その他のパス リンク",
391 | "Resources available": "使用可能なリソース数",
392 | "Selected Resources": "選択したリソース",
393 | "A documentation link for this URL exists. Click learn more to access it": "この URL のドキュメント リンクが存在します。アクセスするには、[詳細] をクリックしてください",
394 | "Feedback": "Graph エクスプローラーの改善にご協力ください。",
395 | "Comment question": "体験談をお聞かせください",
396 | "Prompt question": "ご意見をお寄せください",
397 | "No": "いいえ",
398 | "Yes": "はい",
399 | "title": "Graph エクスプローラーのフィードバック",
400 | "Rating question": "Graph エクスプローラーを全体的に簡単に使用する方法",
401 | "Extremely difficult": "極めて難しい",
402 | "Slightly difficult": "若干難しい",
403 | "Neither easy nor difficult": "簡単でも難しくもない",
404 | "Slightly easy": "少し簡単",
405 | "Rating": "評価",
406 | "Extremely easy": "極めて簡単",
407 | "Email (optional)": "メール (オプション)",
408 | "You can contact me about this feedback": "このフィードバックについてお問い合わせできます",
409 | "Privacy Statement": "プライバシーに関する声明",
410 | "Submitted Successfully": "正常に送信しました",
411 | "Privacy consent": "[送信] を押すと、お客様のフィードバックが Microsoft の製品およびサービス向上に活用されます。IT 管理者がこのデータを修正できるようになります",
412 | "Graph Rating Question": "他の開発者に対して開発のために Microsoft Graph を推奨する可能性はどのくらいありますか?",
413 | "love your feedback": "ご意見をお寄せください",
414 | "We have just two questions": "質問が 2 つだけあります。",
415 | "Sure": "もちろんです",
416 | "Not now": "今はしない",
417 | "Please tell us more. Why did you choose that answer": "詳細をお聞きかせください。この回答を選択した理由を教えてください。",
418 | "Not at all likely": "全くない",
419 | "Extremely likely": "非常に高い",
420 | "Show methods": "メソッドを表示する",
421 | "Set Query": "クエリの設定",
422 | "Query parameters": "クエリ パラメーター",
423 | "Preview collection": "プレビュー コレクション",
424 | "Download postman collection": "Postman コレクションをダウンロード",
425 | "Export list as a Postman collection message": "リスト全体を Postman コレクションとしてエクスポートできます。リストに不要なアイテムがある場合は、それらを選択して削除します。",
426 | "Copied": "コピー済み",
427 | "Invalid whitespace in URL": "URL 内の空白文字は無効です",
428 | "Response content not available due to CORS policy": "CORS ポリシーにより、Graph エクスプローラーでは応答コンテンツを使用できません。この要求は、Postman などの API クライアントで実行できます。CORS の詳細を読み、そのしくみを理解してください",
429 | "here": "こちら",
430 | "Invalid version in URL": "URL 内のバージョンが無効です。",
431 | "More info": "詳細情報",
432 | "Could not connect to the sandbox": "サンドボックスに接続できませんでした",
433 | "Failed to get profile information": "プロファイル情報を取得できませんでした",
434 | "Do you want to remove all the items you have added to the collection?": "コレクションに追加したすべてのアイテムを削除しますか?",
435 | "Delete collection": "コレクションを削除する",
436 | "Leverage libraries": "クライアント ライブラリの力を活用します。次をダウンロード:",
437 | "Client library": "クライアント ライブラリはこちら ",
438 | "SDKs documentation": "SDK の詳細については、 ドキュメント ページを参照してください ",
439 | "Add to collection": "コレクションに追加",
440 | "Switch to beta": "ベータ版に切り替える",
441 | "Resources": "リソース",
442 | "More items": "その他のアイテム",
443 | "Update": "更新情報",
444 | "Edit request header": "要求ヘッダーを編集する",
445 | "Remove request header": "要求ヘッダーを削除する",
446 | "Settings": "設定",
447 | "sign in other account": "別のアカウントでサインインする",
448 | "Help": "ヘルプ",
449 | "Graph Documentation": "Microsoft Graph API リファレンス",
450 | "Parts between {} need to be replaced with real values": "{} 間の部分は実際の値に置き換える必要があります",
451 | "Get started with Graph Explorer": "Graph エクスプローラーの使用を開始",
452 | "No resources found": "リソース項目が見つかりませんでした",
453 | "No samples found": "サンプル クエリが見つかりませんでした"
454 | }
--------------------------------------------------------------------------------
/messages/GE_pt-BR.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "adicionar chamada à comunidade do graph",
3 | "Consented": "Consentiu",
4 | "Security": "Segurança",
5 | "alerts": "alertas",
6 | "alerts with 'High' severity": "alertas com severidade \"Alta\"",
7 | "alerts filter by 'Category'": "filtro de alertas por \"Categoria\"",
8 | "alerts from 'Azure Security Center'": "alertas da \"Central de Segurança do Azure\"",
9 | "alerts select by 'Title'": "seleção de alertas por \"Título\"",
10 | "alerts filter by destination address": "filtro de alertas por endereço de destino",
11 | "alerts filter by 'Status'": "filtro de alertas por \"Status\"",
12 | "secure scores (beta)": "classificações de segurança (beta)",
13 | "secure score control profiles (beta)": "perfis de controle da classificação de segurança (beta)",
14 | "update alert": "alerta de atualização",
15 | "To try the explorer, please ": "Para experimentar o explorador ",
16 | "sign in": "Entrar",
17 | " with your work or school account from Microsoft.": " com sua conta corporativa ou de estudante da Microsoft.",
18 | "Submit": "Enviar",
19 | "Using demo tenant": "No momento, você está usando uma conta de amostra.",
20 | "To access your own data:": "Entrar para acessar seus próprios dados.",
21 | "sign out": "Sair",
22 | "History": "Histórico",
23 | "Method": "Método",
24 | "Query": "Consulta",
25 | "Status Code": "Código de status",
26 | "Duration": "Duração",
27 | "Go": "Ir",
28 | "milliseconds": "ms",
29 | "YES": "SIM",
30 | "Show More": "mostrar mais",
31 | "Graph Explorer": "Explorador do Graph",
32 | "Failure": "Falha",
33 | "Success": "Êxito",
34 | "Authentication": "Autenticação",
35 | "NO": "NÃO",
36 | "request header": "Cabeçalhos de solicitação",
37 | "Request body editor": "Editor do corpo da solicitação",
38 | "Run Query": "Executar Consulta",
39 | "request body": "Corpo da solicitação",
40 | "Close": "Fechar",
41 | "Getting Started": "Introdução",
42 | "Response": "Resposta",
43 | "login to send requests": "Entre para alterar o tipo de solicitação",
44 | "HTTP verb selector": "Seletor de verbo HTTP",
45 | "Share Query": "Compartilhar consulta",
46 | "Share this link to let people try your current query in the Graph Explorer.": "Compartilhe este link para que as pessoas possam experimentar a consulta atual no Explorador do Graph.",
47 | "Date": "Data",
48 | "my profile": "meu perfil",
49 | "my files": "meus arquivos",
50 | "my photo": "minha foto",
51 | "my mail": "meu email",
52 | "my manager": "meu gerente",
53 | "User photo": "foto do usuário conectado",
54 | "Response Headers": "Cabeçalhos de resposta",
55 | "Response headers viewer": "Os cabeçalhos de respostas retornados pelo Microsoft Graph",
56 | "Response body": "O corpo de respostas retornado pelo Microsoft Graph",
57 | "Response Preview": "Visualização da resposta",
58 | "Sample Queries": "Consultas de exemplo",
59 | "show more samples": "mostrar mais exemplos",
60 | "Sample Categories": "Categorias de exemplo",
61 | "On": "Ativado",
62 | "Off": "Desativado",
63 | "Remove All": "Remover tudo",
64 | "Enter new header": "Inserir novo cabeçalho",
65 | "Key": "Chave",
66 | "Value": "Valor",
67 | "Login to try this request": "Entrar para testar esta solicitação",
68 | "modify permissions": "Modificar permissões (versão prévia)",
69 | "Save changes": "Salvar alterações",
70 | "To change permissions, you will need to log-in again.": "Para alterar permissões, entre novamente.",
71 | "all the items in my drive": "todos os itens da minha unidade",
72 | "items trending around me": "itens mais populares à minha volta",
73 | "my direct reports": "meus subordinados diretos",
74 | "all users in the organization": "todos os usuários da organização",
75 | "all users in the Finance department": "todos os usuários do departamento financeiro",
76 | "my skills": "minhas habilidades",
77 | "all my Planner tasks": "todas as minhas tarefas do Planner",
78 | "track user changes": "controlar alterações do usuário",
79 | "all groups in my organization": "todos os grupos em minha organização",
80 | "all groups I belong to": "todos os grupos aos quais pertenço",
81 | "unified groups I belong to": "grupos unificados aos quais pertenço",
82 | "group members": "membros do grupo",
83 | "group's conversations": "conversas do grupo",
84 | "group's events": "eventos do grupo",
85 | "add favorite group": "adicionar grupo favorito",
86 | "items in a group drive": "itens de uma unidade de grupo",
87 | "track group changes": "controlar alterações do grupo",
88 | "my high important mail": "meu email de alta prioridade",
89 | "my mail that has 'Hello World'": "meu email que tenha \"Hello World\"",
90 | "send an email": "enviar um email",
91 | "forward mail": "encaminhar email",
92 | "track email changes": "controlar alterações de email",
93 | "email I'm @ mentioned": "email no qual sou @ mencionado",
94 | "my events for the next week": "meus eventos para a próxima semana",
95 | "all events in my calendar": "todos os eventos do meu calendário",
96 | "all my calendars": "todos os meus calendários",
97 | "all my event reminders for next week": "todos os meus lembretes de eventos para a próxima semana",
98 | "find meeting time": "encontrar horário da reunião",
99 | "schedule a meeting": "agendar uma reunião",
100 | "track changes on my events for the next week": "controlar alterações em meus eventos para a próxima semana",
101 | "my contacts": "meus contatos",
102 | "add contact": "adicionar contato",
103 | "my recent files": "meus arquivos recentes",
104 | "files shared with me": "arquivos compartilhados comigo",
105 | "all of my excel files": "todos os meus arquivos do Excel",
106 | "create a folder": "criar uma pasta",
107 | "create session": "criar sessão",
108 | "worksheets in a workbook": "planilhas em uma pasta de trabalho",
109 | "add a new worksheet": "adicionar uma nova planilha",
110 | "used range in worksheet": "intervalo usado em uma planilha",
111 | "tables in worksheet": "tabelas da planilha",
112 | "charts in worksheet": "gráficos da planilha",
113 | "all Planner plans associated with a group": "todos os planos do Planner associados a um grupo",
114 | "all Planner tasks for a plan": "todas as tarefas do Planner para um plano",
115 | "my organization's default SharePoint site": "site padrão do SharePoint da minha organização",
116 | "a SharePoint site by URL": "um site do SharePoint pela URL",
117 | "subsites in a SharePoint site": "subsites de um site do SharePoint",
118 | "list in a SharePoint site ": "lista em um site do SharePoint ",
119 | "my notebooks": "meus blocos de anotações",
120 | "my sections": "minhas seções",
121 | "my pages": "minhas páginas",
122 | "my inbox rules": "minhas regras da caixa de entrada",
123 | "my outlook categories": "minhas categorias do Outlook",
124 | "get email headers": "obter cabeçalhos de email",
125 | "list conference rooms": "enumerar salas de conferência",
126 | "create notebook": "criar bloco de anotações",
127 | "create section": "criar seção",
128 | "create page": "criar página",
129 | "Users": "Usuários",
130 | "Users (beta)": "Usuários (beta)",
131 | "Groups": "Grupos",
132 | "Groups (beta)": "Grupos (beta)",
133 | "Outlook Mail": "Email do Outlook",
134 | "Outlook Mail (beta)": "Email do Outlook (beta)",
135 | "Outlook Calendar": "Calendário do Outlook",
136 | "Outlook Calendar (beta)": "Calendário do Outlook (beta)",
137 | "Personal Contacts": "Contatos Pessoais",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "Planner (beta)",
141 | "SharePoint Sites (beta)": "Sites do SharePoint (beta)",
142 | "SharePoint Lists": "Listas do SharePoint",
143 | "OneNote (beta)": "OneNote (beta)",
144 | "SharePoint Lists (beta)": "Listas do SharePoint (beta)",
145 | "Insights": "Insights",
146 | "Insights (beta)": "Insights (beta)",
147 | "Preview": "Visualização",
148 | "People": "Pessoas",
149 | "Extensions (beta)": "Extensões (beta)",
150 | "Batching": "Envio em lote",
151 | "Extensions": "Extensões",
152 | "OneNote": "OneNote",
153 | "Planner": "Planner",
154 | "SharePoint Sites": "Sites do SharePoint",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (beta)",
157 | "all buckets in Planner plan": "todos os buckets no plano do Planner",
158 | "all Planner tasks for user": "todas as tarefas do Planner de usuário",
159 | "calculate loan payment": "calcular pagamento de empréstimo",
160 | "channel info": "informações de canal",
161 | "channels of a team which I am member of": "canais de uma equipe da qual sou membro",
162 | "Combine a POST and a GET": "Combinar um POST e um GET",
163 | "create a bucket in Planner plan": "criar um bucket no plano do Planner",
164 | "create a group with extension data": "criar um grupo com dados de extensão",
165 | "create a Planner task": "criar uma tarefa do Planner",
166 | "create an open extension": "criar uma extensão aberta",
167 | "create channel": "criar canal",
168 | "create chat thread": "criar thread de chat",
169 | "create user": "criar usuário",
170 | "details for Planner task": "detalhes da tarefa do Planner",
171 | "Enumerate list columns": "Enumerar colunas de lista",
172 | "Enumerate list content types": "Enumerar tipos de conteúdo de lista",
173 | "Enumerate list items with specific column values": "Enumerar itens de lista com valores de uma coluna específica",
174 | "Enumerate site columns of the root site": "Enumerar colunas de site do site raiz",
175 | "Enumerate site content types of the root site": "Enumerar tipos de conteúdo de site do site raiz",
176 | "Enumerate subsites of the root site": "Enumerar subsites do site raiz",
177 | "Enumerate the document libraries under the root site": "Enumerar as bibliotecas de documentos no site raiz",
178 | "Enumerate the lists in the root site": "Enumerar as listas do site raiz",
179 | "Enumerate the list items in a list": "Enumerar os itens de lista em uma lista",
180 | "filter groups by extension property value": "filtrar grupos pelo valor da propriedade de extensão",
181 | "get an open extension": "obter uma extensão aberta",
182 | "get available schema extensions": "obter extensões de esquema disponíveis",
183 | "items in a team drive": "itens em uma unidade de equipe",
184 | "members of a team": "membros de uma equipe",
185 | "my joined teams": "minhas equipes unidas",
186 | "my mails from an address": "meus emails de um endereço",
187 | "people I work with": "pessoas que trabalham comigo",
188 | "people relevant to a topic": "pessoas relevantes para um tópico",
189 | "people whose name starts with J": "pessoas cujos nomes começam com J",
190 | "Perform parallel GETs": "Executar GETs paralelos",
191 | "Planner plan": "Plano do Planner",
192 | "Planner task by id": "tarefa do Planner por id",
193 | "Search for a SharePoint site by keyword": "Pesquisar um site do SharePoint por palavra-chave",
194 | "SharePoint site based on relative path of the site": "Site do SharePoint baseado no caminho relativo do site",
195 | "update a bucket in Planner plan": "atualizar um bucket no plano do Planner",
196 | "update a group with extension data": "atualizar um grupo com dados de extensão",
197 | "update a Planner plan": "atualizar um plano do Planner",
198 | "update a Planner task": "atualizar uma tarefa do Planner",
199 | "update an open extension": "atualizar uma extensão aberta",
200 | "user by email": "usuário por email",
201 | "explorer-error": "Tivemos um problema ao enviar esta solicitação à API do Graph. Para receber ajuda, envie uma mensagem no StackOverflow com a marca [microsoftgraph].",
202 | "search my OneDrive": "pesquisar meu OneDrive",
203 | "User Activities": "Atividades do usuário",
204 | "get recent user activities": "obter as atividades recentes do usuário",
205 | "create a user activity and history item": "criar um item de histórico e atividade do usuário",
206 | "Applications (beta)": "Aplicativos (beta)",
207 | "retrieve the list of applications in this organization": "recuperar a lista de aplicativos na organização",
208 | "create a new application": "criar um novo aplicativo",
209 | "retrieve the properties and relationships of application object": "recuperar as propriedades e os relacionamentos do objeto application",
210 | "update the properties of application object": "atualizar as propriedades do objeto application",
211 | "delete an application": "excluir um aplicativo",
212 | "retrieve a list of directoryObject objects": "recuperar uma lista de objetos directoryObject",
213 | "create a new owner": "criar um novo proprietário",
214 | "Notifications (beta)": "Notificações (beta)",
215 | "create a raw notification": "criar uma notificação bruta",
216 | "create a visual notification": "criar uma notificação visual",
217 | "items shared with me": "itens compartilhados comigo",
218 | "items viewed and modified by me": "itens exibidos e modificados por mim",
219 | "apps in a team": "aplicativos em uma equipe",
220 | "create TI indicator (beta)": "criar um indicador IT (beta)",
221 | "create multiple TI indicators (beta)": "criar vários indicadores IT (beta)",
222 | "update a TI indicator (beta": "atualizar um indicador IT (beta)",
223 | "update multiple TI indicators (beta)": "atualizar vários indicadores IT (beta)",
224 | "create security action (beta)": "criar ação de segurança (beta)",
225 | "delete TI indicator (beta)": "excluir indicador IT (beta)",
226 | "delete multiple TI indicators (beta)": "excluir vários indicadores IT (beta)",
227 | "delete multiple TI indicators by external Id (beta)": "excluir vários indicadores IT por ID externa (beta)",
228 | "retrieve the list of applications": "recuperar a lista de aplicativos",
229 | "retrieve application properties": "recuperar propriedades do aplicativo",
230 | "update application properties": "atualizar propriedades do aplicativo",
231 | "retrieve a list of owners": "recuperar uma lista de proprietários",
232 | "tabs in a channel": "guias em um canal",
233 | "messages (without replies) in a channel": "mensagens (sem respostas) em um canal",
234 | "message in a channel": "mensagem em um canal",
235 | "replies to a message in channel": "respostas a uma mensagem em um canal",
236 | "reply of a message": "resposta de uma mensagem",
237 | "Export": "Exportar",
238 | "Action": "Ação",
239 | "Canary": "Canary",
240 | "disable canary": "desabilitar canary",
241 | "using canary": "Você está usando a versão Canary do Graph Explorer. Entre para fazer solicitações",
242 | "use the Microsoft Graph API": "Ao usar APIs do Microsoft Graph, você concorda com os ",
243 | "Terms of use": "Termos de Uso dos APIs da Microsoft",
244 | "Microsoft Privacy Statement": "Declaração de privacidade da Microsoft",
245 | "Add": "Adicionar",
246 | "Snippets": "Trechos de código",
247 | "Adaptive Cards": "Placas adaptáveis",
248 | "Office Dev Program": "Obter uma área restrita com dados de exemplo",
249 | "Fetching Adaptive Card": "Buscando cartão adaptável",
250 | "The Adaptive Card for this response is not available": "Não há cartão adaptável disponível para essa resposta. Para saber mais sobre como criar cartões adaptáveis, confira",
251 | "loading samples": "Carregando exemplos",
252 | "older": "Mais antigo",
253 | "today": "Hoje",
254 | "yesterday": "Ontem",
255 | "actions": "Ações",
256 | "view": "Exibir",
257 | "remove": "Remover",
258 | "back to classic": "Visualização",
259 | "More actions": "Mais ações",
260 | "Permissions": "Permissões",
261 | "Sign In to see your access token.": "Para visualizar seu token de acesso, entre no Graph Explorer.",
262 | "Sign In to try this sample": "Entre para experimentar este exemplo",
263 | "Signing you in...": "Entrando...",
264 | "Share Query Message": "Compartilhe este link para que as pessoas possam experimentar a consulta atual no Explorador do Graph",
265 | "Copy": "Copiar",
266 | "Change theme": "Alterar tema",
267 | "Dark": "Escuro",
268 | "Light": "Leve",
269 | "High Contrast": "Alto contraste",
270 | "Auth": "Autenticação",
271 | "Collapse": "Recolher",
272 | "Expand": "Expandir",
273 | "Delete requests": "Excluir todas as solicitações no grupo",
274 | "To try operations other than GET": "Para experimentar outras operações além de GET ou acessar seus próprios dados",
275 | "To try the full features": "Para ter acesso a mais recursos que você pode usar para trabalhar com consultas",
276 | "full Graph Explorer": "ir para a experiência total do Explorador do Graph",
277 | "Are you sure you want to delete these requests?": "Tem certeza de que deseja excluir essas solicitações?",
278 | "Delete": "Excluir",
279 | "Cancel": "Cancelar",
280 | "running the query": "Ao entrar, executar a consulta afetará os dados em seu locatário.",
281 | "We did not find any history items": "Não encontramos itens do histórico",
282 | "Expand response": "Expandir resposta",
283 | "Access Token": "Token de acesso",
284 | "Graph toolkit": "Componente do kit de ferramentas",
285 | "We did not find a Graph toolkit for this query": "Nenhum componente do kit de ferramentas está disponível para esta resposta. Para saber mais sobre e contribuir com o kit de ferramentas, confira o",
286 | "Learn more about the Microsoft Graph Toolkit": "Repositório público do Microsoft Graph Toolkit",
287 | "Open this example in": "Abrir este exemplo no",
288 | "graph toolkit playground": "Playground para o Microsoft Graph Toolkit",
289 | "consent to scopes": " Ou o usuário conectado não tem privilégios suficientes, ou você precisa consentir com uma das permissões na ",
290 | "Display string": "Cadeia de caracteres de exibição",
291 | "Description": "Descrição",
292 | "Status": "Status",
293 | "Admin consent required": "É necessário o consentimento do administrador",
294 | "Consent": "Consentimento",
295 | "permissions required to run the query": "Uma das seguintes permissões é obrigatória para executar esta API. Selecione uma permissão e clique em Consentimento.",
296 | "tab": " TAB",
297 | "View the": " Visualize o",
298 | "viewing a cached set": "Você está visualizando um conjunto de amostras em cache por causa de um erro na conexão da rede.",
299 | "see more queries": "Veja mais consultas nos",
300 | "Microsoft Graph API Reference docs": "Documentos de referência da API do Microsoft Graph.",
301 | "Fetching permissions": "Buscar permissões",
302 | "Authentication failed": "Falha na autenticação",
303 | "view all permissions": "Consentimento para permissões",
304 | "Fetching code snippet": "Buscando snippet de código",
305 | "Snippet not available": "Trecho indisponível",
306 | "Select different permissions": "Para experimentar diferentes terminais da API do Microsoft Graph, escolha as permissões e clique em Consentir.",
307 | "Search permissions": "Permissões de pesquisa",
308 | "permissions not found": "Não encontramos nenhuma permissão.",
309 | "selected": "selecionado",
310 | "Search sample queries": "Pesquisar consultas de amostra",
311 | "Search history items": "Pesquisar itens do histórico",
312 | "Malformed JSON body": "Corpo JSON malformado",
313 | "Review the request body": "Examine o corpo da solicitação e corrija qualquer JSON malformado.",
314 | "Minimize sidebar": "Minimizar barra lateral",
315 | "Toggle selection for all items": "Seleção de alternância para todos os itens",
316 | "Toggle selection": "Seleção de alternância",
317 | "Row checkbox": "Caixa de seleção de registro",
318 | "Administrator permission": "O administrador do locatário deve autorizá-lo primeiro para que você possa concordar com essa permissão",
319 | "Adaptive Cards designer": "Criador de Cartões Adaptáveis.",
320 | "Click Run Query button above to fetch Adaptive Card": "Clique no botão Executar Consulta acima para buscar um Cartão Adaptável.",
321 | "Fetching suggestions": "Buscando sugestões",
322 | "No auto-complete suggestions available": "Sem sugestões de preenchimento automático disponíveis",
323 | "Your history includes queries made in the last 30 days": "O histórico inclui consultas feitas nos últimos 30 dias",
324 | "Get token details (Powered by jwt.ms)": "Obter detalhes do token (do site jwt.ms)",
325 | "HTTP request method option": "Opção de método de solicitação HTTP",
326 | "Microsoft Graph API Version option": "Opção de versão da API do Microsoft Graph",
327 | "Query Sample Input": "Entrada de exemplo de consulta",
328 | "popup blocked, allow pop-up windows in your browser": "popup bloqueado, permitir janelas pop-up em seu navegador",
329 | "sign in to consent to permissions": "Uma das seguintes permissões é obrigatória para executar esta API. Entre com uma conta que possa concordar com a permissão que você escolher.",
330 | "Sign in to use this method": "Entrar para usar este método",
331 | "Request Header deleted": "Solicitar Cabeçalho excluído",
332 | "Request Header added": "Solicitar Cabeçalho adicionado",
333 | "Sidebar minimized": "Barra lateral minimizada",
334 | "Sidebar maximized": "Barra lateral maximizada",
335 | "Response area expanded": "Área de resposta expandida",
336 | "Close expanded response area": "Fechar a área de resposta expandida",
337 | "permissions not found in permissions tab": "As permissões para a consulta estão ausentes nesta guia. ",
338 | "permissions preview": "Este recurso está na versão prévia e pode não mostrar todas as permissões para algumas consultas.",
339 | "sign in to view a list of all permissions": "As permissões para a consulta estão ausentes nesta guia. Entre para usar a opção Selecionar permissões no ícone de configurações próximo ao seu perfil para ver a lista completa de permissões do Microsoft Graph e selecione as permissões desejadas e autorize-as a partir daí.",
340 | "open permissions panel": "Abrir o painel de permissões",
341 | "permissions list": " para ver a lista completa das permissões do Microsoft Graph e selecionar a(s) permissão(ões) desejada(s) e autorizar a partir daí.",
342 | "Get started with adaptive cards on": "Comece com cartões adaptáveis em ",
343 | "Adaptive Cards Templating SDK": "Modelagem SDK de Cartões adaptáveis",
344 | "card": "Cartão",
345 | "JSON Schema": "Modelo JSON",
346 | "Report an Issue": "Relatar um Problema",
347 | "Maximize sidebar": "Maximizar a barra lateral",
348 | "Getting your access token": "Obtendo seu token de acesso",
349 | "and experiment on": " e experimente",
350 | "Scope consent failed": "O consentimento do escopo falhou",
351 | "Missing url": "Inserir um URL válido para executar a consulta",
352 | "This response contains an @odata property.": "Esta resposta contém uma propriedade @odata.",
353 | "Click here to follow the link": "Clique aqui para seguir o link.",
354 | "Signing you out...": "Saindo...",
355 | "Admin consent not required": "O consentimento do administrador não é necessário",
356 | "Navigation help": "Navegar com a tecla de seta para a direita para acessar",
357 | "Actions menu": " Menu Ações",
358 | "user_cancelled": "Aguarde o término do processo de autenticação.",
359 | "popup_window_error": "Verifique se os pop-ups estão habilitados e tente novamente.",
360 | "invalid_client": "Solicite ao administrador do aplicativo para verificar as credenciais do aplicativo (ID do cliente do aplicativo) nos registros do aplicativo Azure.",
361 | "null_or_empty_id_token": "Faça login novamente.",
362 | "authorization_code_missing_from_server_response": "Faça login novamente.",
363 | "temporarily unavailable": "O servidor está temporariamente indisponível. Tente mais tarde.",
364 | "server-error": "O servidor está temporariamente indisponível. Tente mais tarde.",
365 | "no_tokens_found": "Faça login novamente.",
366 | "invalid_request": "Faça login novamente.",
367 | "user_login_error": "Faça login novamente.",
368 | "nonce_mismatch_error": "Faça login novamente.",
369 | "login_in_progress": "Faça login novamente.",
370 | "interaction_in_progress": "Faça login novamente.",
371 | "interaction_required": "Faça login novamente.",
372 | "invalid_grant": "Faça login novamente.",
373 | "consent_required": "Concorde com as permissões solicitadas ou faça login com uma conta diferente.",
374 | "access_denied": "Sua permissão para acessar o Graph Explorer foi bloqueada pelo administrador de locatários. Peça ao seu administrador para conceder a você acesso a essas permissões.",
375 | "Tip": "Dica",
376 | "monitor_window_timeout": "Verifique sua conexão de rede e verifique se os pop-ups estão habilitados, e depois tente novamente.",
377 | "consent_required_consent": "Concorde com a permissão para acessar esse recurso.",
378 | "interaction_required_consent": "Aguarde a conclusão do processo de consentimento e verifique se os pop-ups estão habilitados.",
379 | "user_cancelled_consent": "Aguarde o término do processo de consentimento.",
380 | "access_denied_consent": "Seu consentimento com essa permissão foi bloqueado pelo administrador de locatários. Peça a seu administrador que lhe conceda acesso e depois tente novamente.",
381 | "This response contains unviewable content": "Esta resposta contém conteúdo que pode não ser visível neste editor.",
382 | "Click to download file": "Clique para baixar o arquivo.",
383 | "Learn more": "Saiba mais",
384 | "loading resources": "carregando recursos",
385 | "Isolate": "Isolar",
386 | "Search resources": "Recursos da pesquisa",
387 | "Select version": "Selecionar a versão",
388 | "Close isolation": "Fechar o isolamento",
389 | "Path display": "Exibição do caminho",
390 | "More path links": "Mais links de caminho",
391 | "Resources available": "Recursos disponíveis",
392 | "Selected Resources": "Recursos Selecionados",
393 | "A documentation link for this URL exists. Click learn more to access it": "Existe um link de documentação dessa URL. Clique em Saiba mais para acessar",
394 | "Feedback": "Ajudar a melhorar o Explorador do Graph?",
395 | "Comment question": "Conte-nos mais sobre sua experiência",
396 | "Prompt question": "Gostaríamos de receber os seus comentários!",
397 | "No": "Não",
398 | "Yes": "Sim",
399 | "title": "Comentários sobre o Explorador do Graph",
400 | "Rating question": "No geral, qual foi o grau de facilidade do uso do Explorador do Graph?",
401 | "Extremely difficult": "Extremamente difícil",
402 | "Slightly difficult": "Ligeiramente difícil",
403 | "Neither easy nor difficult": "Nem fácil nem difícil",
404 | "Slightly easy": "Ligeiramente fácil",
405 | "Rating": "Classificação",
406 | "Extremely easy": "Extremamente fácil",
407 | "Email (optional)": "Email (opcional)",
408 | "You can contact me about this feedback": "Você pode me contatar sobre este comentário",
409 | "Privacy Statement": "Política de Privacidade",
410 | "Submitted Successfully": "Enviado com Êxito",
411 | "Privacy consent": "Ao pressionar enviar, seus comentários serão usados para aprimorar os produtos e serviços da Microsoft. Seu administrador de TI poderá coletar esses dados",
412 | "Graph Rating Question": "Qual a probabilidade de você recomendar o Microsoft Graph para desenvolvimento a um amigo ou colega?",
413 | "love your feedback": "Adoraríamos receber seus comentários!",
414 | "We have just two questions": "Temos somente duas perguntas para você.",
415 | "Sure": "Claro",
416 | "Not now": "Agora não",
417 | "Please tell us more. Why did you choose that answer": "Dê mais detalhes. Por que você escolheu essa resposta?",
418 | "Not at all likely": "Nem um pouco provável",
419 | "Extremely likely": "Extremamente provável",
420 | "Show methods": "Mostrar métodos",
421 | "Set Query": "Definir a consulta",
422 | "Query parameters": "Parâmetros de consulta",
423 | "Preview collection": "Visualizar a coleção",
424 | "Download postman collection": "Baixar a coleção do Postman",
425 | "Export list as a Postman collection message": "Você pode exportar a lista inteira como uma coleção do Postman. Se houver itens na lista que você não deseja, selecione-os para removê-los.",
426 | "Copied": "Copiado",
427 | "Invalid whitespace in URL": "Espaço em branco inválido na URL",
428 | "Response content not available due to CORS policy": "O conteúdo da resposta não está disponível no Graph Explorer devido à política CORS. Você pode executar essa solicitação em um cliente de API, como o Postman. Leia mais sobre o CORS e entenda como ele funciona",
429 | "here": "aqui",
430 | "Invalid version in URL": "Versão inválida na URL",
431 | "More info": "Mais informações",
432 | "Could not connect to the sandbox": "Não foi possível conectar ao sandbox",
433 | "Failed to get profile information": "Falha ao obter informações do perfil",
434 | "Do you want to remove all the items you have added to the collection?": "Você quer remover todos os itens que você adicionou à coleção?",
435 | "Delete collection": "Excluir coleção",
436 | "Leverage libraries": "Aproveite o poder das nossas bibliotecas de clientes. Baixe o",
437 | "Client library": "a biblioteca do cliente aqui ",
438 | "SDKs documentation": "Para ler mais sobre nossos SDKs, acesse a página de documentação em ",
439 | "Add to collection": "Adicionar à coleção",
440 | "Switch to beta": "Alternar para beta",
441 | "Resources": "Recursos",
442 | "More items": "Mais itens",
443 | "Update": "Atualização",
444 | "Edit request header": "Editar cabeçalho de solicitação",
445 | "Remove request header": "Remover cabeçalho da solicitação",
446 | "Settings": "Configurações",
447 | "sign in other account": "Entrar com uma conta diferente",
448 | "Help": "Ajuda",
449 | "Graph Documentation": "Referência da API do Microsoft Graph",
450 | "Parts between {} need to be replaced with real values": "As partes entre {} precisam ser substituídas por valores reais",
451 | "Get started with Graph Explorer": "Introdução ao Explorador do Graph",
452 | "No resources found": "Não encontramos nenhum item de recurso",
453 | "No samples found": "Não encontramos nenhuma consulta de exemplo"
454 | }
--------------------------------------------------------------------------------
/messages/GE_ru-RU.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "добавить вызов сообщества graph",
3 | "Consented": "Согласие получено",
4 | "Security": "Безопасность",
5 | "alerts": "Оповещения",
6 | "alerts with 'High' severity": "оповещения высокой важности",
7 | "alerts filter by 'Category'": "фильтрация оповещений по категории",
8 | "alerts from 'Azure Security Center'": "оповещения из центра безопасности Azure",
9 | "alerts select by 'Title'": "выбор оповещений по названию",
10 | "alerts filter by destination address": "фильтрация оповещений по адресу получателя",
11 | "alerts filter by 'Status'": "фильтрация оповещений по состоянию",
12 | "secure scores (beta)": "оценки безопасности (бета)",
13 | "secure score control profiles (beta)": "профили составляющих оценки безопасности (бета)",
14 | "update alert": "оповещение об обновлении",
15 | "To try the explorer, please ": "Чтобы попробовать обозреватель, просьба ",
16 | "sign in": "Выполнить вход",
17 | " with your work or school account from Microsoft.": " с помощью рабочей или учебной учетной записи от корпорации Майкрософт.",
18 | "Submit": "Отправить",
19 | "Using demo tenant": "Вы используете тестовую учетную запись.",
20 | "To access your own data:": "Войте, чтобы получить доступ к собственным данным.",
21 | "sign out": "Выйти",
22 | "History": "Журнал",
23 | "Method": "Метод",
24 | "Query": "Запрос",
25 | "Status Code": "Код состояния",
26 | "Duration": "Длительность",
27 | "Go": "Переход",
28 | "milliseconds": "мс",
29 | "YES": "ДА",
30 | "Show More": "Показать еще",
31 | "Graph Explorer": "Песочница Graph",
32 | "Failure": "Ошибка",
33 | "Success": "Успешно",
34 | "Authentication": "Проверка подлинности",
35 | "NO": "НЕТ",
36 | "request header": "Заголовки запросов",
37 | "Request body editor": "Редактор текста запроса",
38 | "Run Query": "Выполнить запрос",
39 | "request body": "Текст запроса",
40 | "Close": "Закрыть",
41 | "Getting Started": "Начало работы",
42 | "Response": "Отклик",
43 | "login to send requests": "Войдите, чтобы изменить тип запроса",
44 | "HTTP verb selector": "Селектор HTTP-команд",
45 | "Share Query": "Поделиться запросом",
46 | "Share this link to let people try your current query in the Graph Explorer.": "Поделитесь этой ссылкой, чтобы другие пользователи могли попробовать ваш текущий запрос в песочнице Graph.",
47 | "Date": "Дата",
48 | "my profile": "мой профиль",
49 | "my files": "мои файлы",
50 | "my photo": "мои фото",
51 | "my mail": "моя почта",
52 | "my manager": "мой руководитель",
53 | "User photo": "фотография вошедшего пользователя",
54 | "Response Headers": "Заголовки откликов",
55 | "Response headers viewer": "Заголовки откликов, возвращаемые Microsoft Graph",
56 | "Response body": "Текст отклика, возвращаемый Microsoft Graph",
57 | "Response Preview": "Предварительный просмотр отклика",
58 | "Sample Queries": "Примеры запросов",
59 | "show more samples": "показать другие примеры",
60 | "Sample Categories": "Примеры категорий",
61 | "On": "Вкл.",
62 | "Off": "Выкл.",
63 | "Remove All": "Удалить все",
64 | "Enter new header": "Введите новый заголовок",
65 | "Key": "Ключ",
66 | "Value": "Значение",
67 | "Login to try this request": "Войдите, чтобы попробовать этот запрос",
68 | "modify permissions": "Изменить разрешения (предварительная версия)",
69 | "Save changes": "Сохранить изменения",
70 | "To change permissions, you will need to log-in again.": "Чтобы изменить разрешения, необходимо войти еще раз.",
71 | "all the items in my drive": "все элементы на моем диске",
72 | "items trending around me": "элементы, популярные в вашей компании",
73 | "my direct reports": "мои подчиненные",
74 | "all users in the organization": "все пользователи в организации",
75 | "all users in the Finance department": "все пользователи в отделе финансов",
76 | "my skills": "мои навыки",
77 | "all my Planner tasks": "все мои задачи в Планировщике",
78 | "track user changes": "отслеживание изменений пользователей",
79 | "all groups in my organization": "все группы в моей организации",
80 | "all groups I belong to": "все группы, в которые я вхожу",
81 | "unified groups I belong to": "объединенные группы, в которые я вхожу",
82 | "group members": "участники группы",
83 | "group's conversations": "беседы группы",
84 | "group's events": "события группы",
85 | "add favorite group": "добавить любимую группу",
86 | "items in a group drive": "элементы на диске группы",
87 | "track group changes": "отслеживание изменений в группах",
88 | "my high important mail": "моя почта высокой важности",
89 | "my mail that has 'Hello World'": "моя почта с фразой \"Hello World\"",
90 | "send an email": "отправить сообщение",
91 | "forward mail": "переслать сообщение",
92 | "track email changes": "отслеживание изменений в электронной почте",
93 | "email I'm @ mentioned": "сообщения, в которых меня упомянули @",
94 | "my events for the next week": "мои события на следующей неделе",
95 | "all events in my calendar": "все события в моем календаре",
96 | "all my calendars": "все мои календари",
97 | "all my event reminders for next week": "все напоминания о моих событиях на следующей неделе",
98 | "find meeting time": "найти время для собрания",
99 | "schedule a meeting": "запланировать собрание",
100 | "track changes on my events for the next week": "отслеживание изменений в моих событиях на следующей неделе",
101 | "my contacts": "мои контакты",
102 | "add contact": "добавить контакт",
103 | "my recent files": "мои последние файлы",
104 | "files shared with me": "файлы, к которым мне предоставлен доступ",
105 | "all of my excel files": "все мои файлы excel",
106 | "create a folder": "создать папку",
107 | "create session": "создать сеанс",
108 | "worksheets in a workbook": "листы в книге",
109 | "add a new worksheet": "добавить лист",
110 | "used range in worksheet": "используемый диапазон на листе",
111 | "tables in worksheet": "таблицы на листе",
112 | "charts in worksheet": "диаграммы на листе",
113 | "all Planner plans associated with a group": "все планы в Планировщике, связанные с группой",
114 | "all Planner tasks for a plan": "все задачи в Планировщик, связанные с планом",
115 | "my organization's default SharePoint site": "сайт SharePoint по умолчанию для моей организации",
116 | "a SharePoint site by URL": "сайт SharePoint по URL-адресу",
117 | "subsites in a SharePoint site": "дочерние сайты на сайте SharePoint",
118 | "list in a SharePoint site ": "список на сайте SharePoint ",
119 | "my notebooks": "мои записные книжки",
120 | "my sections": "мои разделы",
121 | "my pages": "Мои страницы",
122 | "my inbox rules": "Мои правила для папки \"Входящие\"",
123 | "my outlook categories": "Мои категории Outlook",
124 | "get email headers": "Получить заголовки для электронной почты",
125 | "list conference rooms": "Перечисление конференц-залов",
126 | "create notebook": "Создать записную книжку",
127 | "create section": "создать раздел",
128 | "create page": "создать страницу",
129 | "Users": "Пользователи",
130 | "Users (beta)": "Пользователи (бета-версия)",
131 | "Groups": "Группы",
132 | "Groups (beta)": "Группы (бета-версия)",
133 | "Outlook Mail": "Почта",
134 | "Outlook Mail (beta)": "Почта (бета-версия)",
135 | "Outlook Calendar": "Календарь Outlook",
136 | "Outlook Calendar (beta)": "Календарь Outlook (бета-версия)",
137 | "Personal Contacts": "Личные контакты",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "Планировщик (бета-версия)",
141 | "SharePoint Sites (beta)": "Сайты SharePoint (бета-версия)",
142 | "SharePoint Lists": "Списки SharePoint",
143 | "OneNote (beta)": "OneNote (бета-версия)",
144 | "SharePoint Lists (beta)": "Списки SharePoint (бета-версия)",
145 | "Insights": "Аналитика",
146 | "Insights (beta)": "Аналитика (бета-версия)",
147 | "Preview": "Предварительная версия",
148 | "People": "Люди",
149 | "Extensions (beta)": "Расширения (бета-версия)",
150 | "Batching": "Пакетная обработка",
151 | "Extensions": "Расширения",
152 | "OneNote": "OneNote",
153 | "Planner": "Планировщик",
154 | "SharePoint Sites": "Сайты SharePoint",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (бета-версия)",
157 | "all buckets in Planner plan": "Все сегменты в плане Планировщика",
158 | "all Planner tasks for user": "Все задачи в Планировщике для пользователя",
159 | "calculate loan payment": "Расчет выплаты ссуды",
160 | "channel info": "Сведения о канале",
161 | "channels of a team which I am member of": "Каналы группы, в которую я вхожу",
162 | "Combine a POST and a GET": "Объединение запросов POST и GET",
163 | "create a bucket in Planner plan": "Создание сегмента в плане Планировщика",
164 | "create a group with extension data": "Создание группы с данными расширения",
165 | "create a Planner task": "Создание задачи в Планировщике",
166 | "create an open extension": "Создание открытого расширения",
167 | "create channel": "Создание канала",
168 | "create chat thread": "Создание беседы в чате",
169 | "create user": "Создание пользователя",
170 | "details for Planner task": "Сведения о задаче в Планировщике",
171 | "Enumerate list columns": "Перечисление столбцов списка",
172 | "Enumerate list content types": "Перечисление типов контента списка",
173 | "Enumerate list items with specific column values": "Перечисление элементов списка с определенными значениями столбцов",
174 | "Enumerate site columns of the root site": "Перечисление столбцов корневого сайта",
175 | "Enumerate site content types of the root site": "Перечисление типов контента корневого сайта",
176 | "Enumerate subsites of the root site": "Перечисление дочерних сайтов корневого сайта",
177 | "Enumerate the document libraries under the root site": "Перечисление библиотек документов в корневом сайте",
178 | "Enumerate the lists in the root site": "Перечисление списков на корневом сайте",
179 | "Enumerate the list items in a list": "Перечисление элементов списка",
180 | "filter groups by extension property value": "Фильтрация групп по значению свойства расширения",
181 | "get an open extension": "Получение открытого расширения",
182 | "get available schema extensions": "Получение доступных расширений схемы",
183 | "items in a team drive": "Элементы объекта drive для рабочей группы",
184 | "members of a team": "Члены рабочей группы",
185 | "my joined teams": "Мои присоединенные рабочие группы",
186 | "my mails from an address": "Мои сообщения с адреса",
187 | "people I work with": "Люди, работающие со мной",
188 | "people relevant to a topic": "Люди, имеющие отношение к теме",
189 | "people whose name starts with J": "Люди, имя которых начинается с \"J\"",
190 | "Perform parallel GETs": "Параллельное выполнение запросов GET",
191 | "Planner plan": "План Планировщика",
192 | "Planner task by id": "Задачи в Планировщике по идентификатору",
193 | "Search for a SharePoint site by keyword": "Поиск сайта SharePoint по ключевому слову",
194 | "SharePoint site based on relative path of the site": "Сайт SharePoint на базе относительного пути сайта",
195 | "update a bucket in Planner plan": "Обновление сегмента в плане Планировщика",
196 | "update a group with extension data": "Обновление группы с данными расширения",
197 | "update a Planner plan": "Обновление плана Планировщика",
198 | "update a Planner task": "Обновление задачи в Планировщике",
199 | "update an open extension": "Обновление открытого расширения",
200 | "user by email": "Пользователи по электронной почте",
201 | "explorer-error": "Возникла проблема с отправкой этого запроса в API Graph. Для получения помощи свяжитесь с нами через сайт StackOverflow, добавив к своему сообщению тег [microsoftgraph].",
202 | "search my OneDrive": "Поиск в OneDrive",
203 | "User Activities": "Действия пользователей",
204 | "get recent user activities": "Получение сведений о последних действиях пользователей",
205 | "create a user activity and history item": "создать действие пользователя и запись в журнале",
206 | "Applications (beta)": "Приложения (бета)",
207 | "retrieve the list of applications in this organization": "получить список приложений в этой организации",
208 | "create a new application": "создать новое приложение",
209 | "retrieve the properties and relationships of application object": "получить свойства и связи объекта приложения",
210 | "update the properties of application object": "обновить свойства объекта приложения",
211 | "delete an application": "удалить приложение",
212 | "retrieve a list of directoryObject objects": "получить список объектов directoryObject",
213 | "create a new owner": "создать нового владельца",
214 | "Notifications (beta)": "Уведомления (бета)",
215 | "create a raw notification": "создать необработанное уведомление",
216 | "create a visual notification": "создать визуальное уведомление",
217 | "items shared with me": "элементы, к которым мне предоставлен доступ",
218 | "items viewed and modified by me": "элементы, просмотренные и измененные мной",
219 | "apps in a team": "приложения в команде",
220 | "create TI indicator (beta)": "создание индикатора аналитики угроз (бета-версия)",
221 | "create multiple TI indicators (beta)": "создание нескольких индикаторов аналитики угроз (бета-версия)",
222 | "update a TI indicator (beta": "обновление индикатора аналитики угроз (бета-версия)",
223 | "update multiple TI indicators (beta)": "обновление нескольких индикаторов аналитики угроз (бета-версия)",
224 | "create security action (beta)": "создание действия по обеспечению безопасности (бета-версия)",
225 | "delete TI indicator (beta)": "удаление индикатора аналитики угроз (бета-версия)",
226 | "delete multiple TI indicators (beta)": "удаление нескольких индикаторов аналитики угроз (бета-версия)",
227 | "delete multiple TI indicators by external Id (beta)": "удаление нескольких индикаторов аналитики угроз по внешнему ИД (бета-версия)",
228 | "retrieve the list of applications": "получение списка приложений",
229 | "retrieve application properties": "получение свойств приложения",
230 | "update application properties": "обновление свойств приложения",
231 | "retrieve a list of owners": "получение списка владельцев",
232 | "tabs in a channel": "вкладки в канале",
233 | "messages (without replies) in a channel": "сообщения (без ответов) в канале",
234 | "message in a channel": "сообщение в канале",
235 | "replies to a message in channel": "ответы на сообщение в канале",
236 | "reply of a message": "ответ на сообщение",
237 | "Export": "Экспорт",
238 | "Action": "Действие",
239 | "Canary": "Предохранитель",
240 | "disable canary": "отключение предохранителя",
241 | "using canary": "Вы используете версию песочницы Graph с предохранителем. Войдите для создания запросов",
242 | "use the Microsoft Graph API": "Используя API Microsoft Graph, вы принимаете ",
243 | "Terms of use": "условия использования API корпорации Майкрософт",
244 | "Microsoft Privacy Statement": "Заявление о конфиденциальности корпорации Майкрософт",
245 | "Add": "Добавить",
246 | "Snippets": "Фрагменты кода",
247 | "Adaptive Cards": "Адаптивные карточки",
248 | "Office Dev Program": "Получить песочницу с образцами данных",
249 | "Fetching Adaptive Card": "Получение адаптивной карточки",
250 | "The Adaptive Card for this response is not available": "Адаптивная карточка для этого отклика недоступна. Подробнее о создании адаптивных карточек читайте в статье",
251 | "loading samples": "Загрузка образцов",
252 | "older": "Более старые версии",
253 | "today": "Сегодня",
254 | "yesterday": "Вчера",
255 | "actions": "Действия",
256 | "view": "Просмотреть",
257 | "remove": "Удалить",
258 | "back to classic": "Предварительная версия",
259 | "More actions": "Дополнительные действия",
260 | "Permissions": "Разрешения",
261 | "Sign In to see your access token.": "Для просмотра маркера доступа войдите в песочницу Graph.",
262 | "Sign In to try this sample": "Войдите, чтобы попробовать этот пример",
263 | "Signing you in...": "Выполняется вход…",
264 | "Share Query Message": "Поделитесь этой ссылкой, чтобы другие пользователи могли попробовать ваш текущий запрос в песочнице Graph",
265 | "Copy": "Копировать",
266 | "Change theme": "Изменить тему",
267 | "Dark": "Темная",
268 | "Light": "Светлая",
269 | "High Contrast": "Высокая контрастность",
270 | "Auth": "Проверка подлинности",
271 | "Collapse": "Collapse",
272 | "Expand": "Развернуть",
273 | "Delete requests": "Удаление всех запросов в группе",
274 | "To try operations other than GET": "Чтобы попробовать операции, отличные от GET, или получить доступ к вашим собственным данным,",
275 | "To try the full features": "Для доступа к дополнительным функциям, которые можно использовать для работы с запросами,",
276 | "full Graph Explorer": "перейдите на полнофункциональную версию песочницы Graph",
277 | "Are you sure you want to delete these requests?": "Удалить эти запросы?",
278 | "Delete": "Удалить",
279 | "Cancel": "Отмена",
280 | "running the query": "При входе в систему выполнение этого запроса повлияет на данные в клиенте.",
281 | "We did not find any history items": "Не удалось найти элементы журнала",
282 | "Expand response": "Развернуть отклик",
283 | "Access Token": "Маркер доступа",
284 | "Graph toolkit": "Компонент набора инструментов",
285 | "We did not find a Graph toolkit for this query": "Для этого отклика нет компонента набора инструментов. Узнать подробнее о наборе инструментов и дополнить его можно в разделе",
286 | "Learn more about the Microsoft Graph Toolkit": "Общедоступный репозиторий набора инструментов Microsoft Graph",
287 | "Open this example in": "Открыть этот пример в",
288 | "graph toolkit playground": "Интерактивная среда набора инструментов Graph",
289 | "consent to scopes": " У вошедшего пользователя нет достаточных привилегий или необходимо дать согласие на одно из разрешений в ",
290 | "Display string": "Отображаемая строка",
291 | "Description": "Описание",
292 | "Status": "Состояние",
293 | "Admin consent required": "Необходимость согласия администратора",
294 | "Consent": "Согласие",
295 | "permissions required to run the query": "Для выполнения этого запроса требуется одно из следующих разрешений. Выберите разрешение и нажмите кнопку \"Согласие\".",
296 | "tab": " вкладка",
297 | "View the": " Посмотреть",
298 | "viewing a cached set": "Вы просматриваете кэшированный набор примеров из-за ошибки подключения к сети.",
299 | "see more queries": "Просмотрите другие запросы в",
300 | "Microsoft Graph API Reference docs": "справочных документах по API Microsoft Graph.",
301 | "Fetching permissions": "Извлечение разрешений",
302 | "Authentication failed": "Сбой проверки подлинности",
303 | "view all permissions": "Согласие на разрешения",
304 | "Fetching code snippet": "Извлечение фрагмента кода",
305 | "Snippet not available": "Фрагмент недоступен",
306 | "Select different permissions": "Чтобы испытать различные конечные точки API Microsoft Graph, выберите разрешения и нажмите кнопку \"Согласие\".",
307 | "Search permissions": "Разрешения поиска",
308 | "permissions not found": "Не удалось найти никаких разрешений.",
309 | "selected": "выбрано",
310 | "Search sample queries": "Примеры поисковых запросов",
311 | "Search history items": "Элементы истории поиска",
312 | "Malformed JSON body": "Неправильно отформатированный текст JSON",
313 | "Review the request body": "Проверьте текст запроса и исправьте неправильно отформатированный текст JSON.",
314 | "Minimize sidebar": "Свернуть боковую панель",
315 | "Toggle selection for all items": "Включить или отключить выделение всех элементов",
316 | "Toggle selection": "Включить или отключить выделение",
317 | "Row checkbox": "Флажок строки",
318 | "Administrator permission": "Администратору клиента требуется сначала выполнить авторизацию, прежде чем вы сможете предоставить это разрешение",
319 | "Adaptive Cards designer": "Конструктор адаптивных карточек.",
320 | "Click Run Query button above to fetch Adaptive Card": "Нажмите кнопку \"Выполнить запрос\" выше, чтобы получить адаптивную карточку.",
321 | "Fetching suggestions": "Получение предложений",
322 | "No auto-complete suggestions available": "Нет доступных вариантов автозаполнения",
323 | "Your history includes queries made in the last 30 days": "Журнал содержит запросы, сделанные в течение последних 30 дней",
324 | "Get token details (Powered by jwt.ms)": "Сведения о маркерах (на платформе jwt.ms)",
325 | "HTTP request method option": "Параметр метода HTTP-запроса",
326 | "Microsoft Graph API Version option": "Параметр версии API Microsoft Graph",
327 | "Query Sample Input": "Пример ввода запроса",
328 | "popup blocked, allow pop-up windows in your browser": "всплывающее окно заблокировано, разрешить всплывающие окна в браузере",
329 | "sign in to consent to permissions": "Для выполнения этого запроса требуется одно из следующих разрешений. Войдите с помощью учетной записи, которая может предоставить согласие для выбираемого вами разрешения.",
330 | "Sign in to use this method": "Войдите, чтобы использовать этот способ",
331 | "Request Header deleted": "Заголовок запроса удален",
332 | "Request Header added": "Заголовок запроса добавлен",
333 | "Sidebar minimized": "Боковая панель свернута",
334 | "Sidebar maximized": "Боковая панель развернута",
335 | "Response area expanded": "Область отклика развернута",
336 | "Close expanded response area": "Закрыть развернутую область отклика",
337 | "permissions not found in permissions tab": "На этой вкладке отсутствуют разрешения для запроса. ",
338 | "permissions preview": "Эта функция доступна только в предварительной версии. В настоящее время все разрешения на доступ могут не отображаться к некоторым запросам.",
339 | "sign in to view a list of all permissions": "На этой вкладке отсутствуют разрешения для запроса. Войдите, чтобы использовать параметр \"Выберите разрешения\" на вкладке \"Параметры\" рядом с профилем, чтобы просмотреть полный список разрешений Microsoft Graph, а также выбрать нужные разрешения и дать свое согласие.",
340 | "open permissions panel": "Открыть панель \"Разрешения\"",
341 | "permissions list": " чтобы просмотреть полный список разрешений Microsoft Graph, выбрать нужные разрешения и дать свое согласие.",
342 | "Get started with adaptive cards on": "Начните работу с адаптивными карточками ",
343 | "Adaptive Cards Templating SDK": "SDK шаблонов адаптивных карточек",
344 | "card": "Карточка",
345 | "JSON Schema": "Шаблон JSON",
346 | "Report an Issue": "Сообщить о проблеме",
347 | "Maximize sidebar": "Развернуть боковую панель",
348 | "Getting your access token": "Получение маркера доступа",
349 | "and experiment on": " и поэкспериментируйте",
350 | "Scope consent failed": "Сбой подтверждения области",
351 | "Missing url": "Введите действительный URL-адрес для выполнения запроса",
352 | "This response contains an @odata property.": "Этот отклик содержит свойство @odata.",
353 | "Click here to follow the link": "Щелкните здесь, чтобы перейти по ссылке.",
354 | "Signing you out...": "Выполняется выход…",
355 | "Admin consent not required": "Согласие администратора не требуется",
356 | "Navigation help": "Переход с помощью клавиши СТРЕЛКА ВПРАВО для доступа",
357 | "Actions menu": " Меню действий",
358 | "user_cancelled": "Подождите, пока процесс проверки подлинности не завершится.",
359 | "popup_window_error": "Убедитесь, что всплывающие окна включены, и повторите попытку.",
360 | "invalid_client": "Попросите администратора приложения проверить учетные данные для приложения (идентификатор клиента для приложения) в разделе регистрации приложений Azure.",
361 | "null_or_empty_id_token": "Войдите снова.",
362 | "authorization_code_missing_from_server_response": "Войдите снова.",
363 | "temporarily unavailable": "Сервер временно недоступен. Повторите попытку позже.",
364 | "server-error": "Сервер временно недоступен. Повторите попытку позже.",
365 | "no_tokens_found": "Войдите снова.",
366 | "invalid_request": "Войдите снова.",
367 | "user_login_error": "Войдите снова.",
368 | "nonce_mismatch_error": "Войдите снова.",
369 | "login_in_progress": "Войдите снова.",
370 | "interaction_in_progress": "Войдите снова.",
371 | "interaction_required": "Войдите снова.",
372 | "invalid_grant": "Войдите снова.",
373 | "consent_required": "Дайте согласие на запрошенные разрешения или войдите с помощью другой учетной записи.",
374 | "access_denied": "Ваше разрешение на доступ к песочнице Graph заблокировано администратором клиента. Попросите администратора предоставить вам доступ к этим разрешениям.",
375 | "Tip": "Совет",
376 | "monitor_window_timeout": "Проверьте сетевое подключение, убедитесь, что всплывающие окна включены, и повторите попытку.",
377 | "consent_required_consent": "Дайте согласие на разрешение на доступ к этой возможности.",
378 | "interaction_required_consent": "Подождите, пока процесс предоставления согласия не завершится, и убедитесь, что всплывающие окна включены.",
379 | "user_cancelled_consent": "Подождите, пока процесс предоставления согласия не завершится.",
380 | "access_denied_consent": "Ваше согласие на это разрешение заблокировано администратором клиента. Попросите администратора предоставить вам доступ и повторите попытку.",
381 | "This response contains unviewable content": "Этот отклик содержит контент, который может не открываться для просмотра в этом редакторе.",
382 | "Click to download file": "Нажмите, чтобы загрузить файл.",
383 | "Learn more": "Подробнее",
384 | "loading resources": "загрузка ресурсов",
385 | "Isolate": "Изолировать",
386 | "Search resources": "Поиск ресурсов",
387 | "Select version": "Выбор версии",
388 | "Close isolation": "Закрыть изоляцию",
389 | "Path display": "Отображение пути",
390 | "More path links": "Дополнительные ссылки на пути",
391 | "Resources available": "Доступные ресурсы",
392 | "Selected Resources": "Выбранные ресурсы",
393 | "A documentation link for this URL exists. Click learn more to access it": "Существует ссылка на документацию для этого URL-адреса. Щелкните \"Подробнее\", чтобы получить к ней доступ",
394 | "Feedback": "Хотите помочь улучшить песочницу Graph?",
395 | "Comment question": "Расскажите нам больше о своих впечатлениях",
396 | "Prompt question": "Мы будем рады получить ваш отзыв",
397 | "No": "Нет",
398 | "Yes": "Да",
399 | "title": "Отзыв о песочнице Graph",
400 | "Rating question": "В целом насколько легко было использовать песочницу Graph?",
401 | "Extremely difficult": "Чрезвычайно сложно",
402 | "Slightly difficult": "Немного сложно",
403 | "Neither easy nor difficult": "Нейтральное мнение",
404 | "Slightly easy": "Достаточно просто",
405 | "Rating": "Оценка",
406 | "Extremely easy": "Очень просто",
407 | "Email (optional)": "Почта (необязательно)",
408 | "You can contact me about this feedback": "Вы можете связаться со мной по поводу этого отзыва",
409 | "Privacy Statement": "Заявление о конфиденциальности",
410 | "Submitted Successfully": "Успешно отправлено",
411 | "Privacy consent": "Нажав \"Отправить\", вы разрешаете использовать ваш отзыв для улучшения продуктов и служб Майкрософт. Ваш ИТ-администратор сможет собирать эти данные",
412 | "Graph Rating Question": "Какова вероятность того, что вы порекомендуете Microsoft Graph для разработки другому разработчику?",
413 | "love your feedback": "Мы будем рады получить ваш отзыв!",
414 | "We have just two questions": "У нас всего два вопроса.",
415 | "Sure": "Конечно",
416 | "Not now": "Не сейчас",
417 | "Please tell us more. Why did you choose that answer": "Расскажите больше. Почему вы выбрали этот ответ?",
418 | "Not at all likely": "Вероятность отсутствует",
419 | "Extremely likely": "С наибольшей вероятностью",
420 | "Show methods": "Показать методы",
421 | "Set Query": "Настройка запроса",
422 | "Query parameters": "Параметры запроса",
423 | "Preview collection": "Предварительный просмотр коллекции",
424 | "Download postman collection": "Скачать коллекцию Postman",
425 | "Export list as a Postman collection message": "Можно экспортировать весь список как коллекцию Postman. Если в списке есть элементы, которые вам не нужны, выберите их, чтобы удалить.",
426 | "Copied": "Скопировано",
427 | "Invalid whitespace in URL": "Недопустимый пробел в URL-адресе",
428 | "Response content not available due to CORS policy": "Содержимое отклика недоступно в песочнице Graph из-за политики CORS. Вы можете выполнить этот запрос в клиенте API, таком как Postman. Дополнительные сведения о CORS и том, как это работает",
429 | "here": "здесь",
430 | "Invalid version in URL": "Недопустимая версия в URL-адресе",
431 | "More info": "Дополнительные сведения",
432 | "Could not connect to the sandbox": "Не удалось подключиться к песочнице",
433 | "Failed to get profile information": "Не удалось получить сведения о профиле",
434 | "Do you want to remove all the items you have added to the collection?": "Вы хотите удалить все элементы, добавленные в коллекцию?",
435 | "Delete collection": "Удалить коллекцию",
436 | "Leverage libraries": "Используйте возможности наших клиентских библиотек. Скачать",
437 | "Client library": "клиентская библиотека здесь ",
438 | "SDKs documentation": "Чтобы узнать больше о наших SDK, посетите страницу документации ",
439 | "Add to collection": "Добавить в коллекцию",
440 | "Switch to beta": "Переключиться на бета-версию",
441 | "Resources": "Ресурсы",
442 | "More items": "Больше элементов",
443 | "Update": "Обновить",
444 | "Edit request header": "Изменить заголовок запроса",
445 | "Remove request header": "Удалить заголовок запроса",
446 | "Settings": "Параметры",
447 | "sign in other account": "Войдите в другую учетную запись",
448 | "Help": "Справка",
449 | "Graph Documentation": "Справочник по API Microsoft Graph",
450 | "Parts between {} need to be replaced with real values": "Части между {} необходимо заменить реальными значениями",
451 | "Get started with Graph Explorer": "Начало работы с песочницей Graph",
452 | "No resources found": "Не удалось найти элементы ресурсов",
453 | "No samples found": "Не удалось найти примеры запросов"
454 | }
--------------------------------------------------------------------------------
/messages/GE_zh-CN.json:
--------------------------------------------------------------------------------
1 | {
2 | "add graph community call": "添加 Graph 社区通话",
3 | "Consented": "已获许可",
4 | "Security": "安全性",
5 | "alerts": "警报",
6 | "alerts with 'High' severity": "严重性评为“高”的警报",
7 | "alerts filter by 'Category'": "按“类别”筛选警报",
8 | "alerts from 'Azure Security Center'": "来自“Azure 安全中心”的警报",
9 | "alerts select by 'Title'": "按“标题”选择警报",
10 | "alerts filter by destination address": "按目标地址筛选警报",
11 | "alerts filter by 'Status'": "按“状态”筛选警报",
12 | "secure scores (beta)": "安全功能分数 (beta)",
13 | "secure score control profiles (beta)": "安全功能分数控制配置文件 (beta)",
14 | "update alert": "更新警报",
15 | "To try the explorer, please ": "若要试用资源管理器,请 ",
16 | "sign in": "登录",
17 | " with your work or school account from Microsoft.": " 使用 Microsoft 的工作或学校帐户。",
18 | "Submit": "提交",
19 | "Using demo tenant": "当前使用的是示例帐户。",
20 | "To access your own data:": "登录以访问你自己的数据。",
21 | "sign out": "注销",
22 | "History": "历史记录",
23 | "Method": "方法",
24 | "Query": "查询",
25 | "Status Code": "状态代码",
26 | "Duration": "持续时间",
27 | "Go": "调用",
28 | "milliseconds": "毫秒",
29 | "YES": "是",
30 | "Show More": "显示更多",
31 | "Graph Explorer": "Graph 浏览器",
32 | "Failure": "失败",
33 | "Success": "成功",
34 | "Authentication": "身份验证",
35 | "NO": "否",
36 | "request header": "请求标头",
37 | "Request body editor": "请求正文编辑器",
38 | "Run Query": "运行查询",
39 | "request body": "请求正文",
40 | "Close": "关闭",
41 | "Getting Started": "开始使用",
42 | "Response": "响应",
43 | "login to send requests": "登录以更改请求类型",
44 | "HTTP verb selector": "HTTP 谓词选择器",
45 | "Share Query": "共享查询",
46 | "Share this link to let people try your current query in the Graph Explorer.": "共享此链接可让其他人在 Graph 浏览器中尝试执行当前查询。",
47 | "Date": "日期",
48 | "my profile": "我的个人资料",
49 | "my files": "我的文件",
50 | "my photo": "我的照片",
51 | "my mail": "我的邮件",
52 | "my manager": "我的管理器",
53 | "User photo": "已登录用户的照片",
54 | "Response Headers": "响应标头",
55 | "Response headers viewer": "由 Microsoft Graph 返回的响应标头",
56 | "Response body": "由 Microsoft Graph 返回的响应正文",
57 | "Response Preview": "响应预览",
58 | "Sample Queries": "示例查询",
59 | "show more samples": "显示更多示例",
60 | "Sample Categories": "示例类别",
61 | "On": "打开",
62 | "Off": "关闭",
63 | "Remove All": "全部删除",
64 | "Enter new header": "输入新标头",
65 | "Key": "键",
66 | "Value": "值",
67 | "Login to try this request": "登录以尝试此请求",
68 | "modify permissions": "修改权限(预览版)",
69 | "Save changes": "保存更改",
70 | "To change permissions, you will need to log-in again.": "若要更改权限,必须重新登录。",
71 | "all the items in my drive": "我的驱动器中的所有项",
72 | "items trending around me": "我常用的项目",
73 | "my direct reports": "我的直接下属",
74 | "all users in the organization": "组织中的所有用户",
75 | "all users in the Finance department": "财务部门中的所有用户",
76 | "my skills": "我的技能",
77 | "all my Planner tasks": "我的所有规划器任务",
78 | "track user changes": "跟踪用户更改",
79 | "all groups in my organization": "我的组织中的所有组",
80 | "all groups I belong to": "我所属的全部组",
81 | "unified groups I belong to": "我所属的统一组",
82 | "group members": "组成员",
83 | "group's conversations": "组对话",
84 | "group's events": "组事件",
85 | "add favorite group": "添加收藏夹组",
86 | "items in a group drive": "组驱动器中的项",
87 | "track group changes": "跟踪组更改",
88 | "my high important mail": "我的高重要性邮件",
89 | "my mail that has 'Hello World'": "我的包含“Hello World”的邮件",
90 | "send an email": "发送电子邮件",
91 | "forward mail": "转发邮件",
92 | "track email changes": "跟踪电子邮件更改",
93 | "email I'm @ mentioned": "提及的我 @ 的电子邮件",
94 | "my events for the next week": "我的下周事件",
95 | "all events in my calendar": "我的日历中的所有事件",
96 | "all my calendars": "我的所有日历",
97 | "all my event reminders for next week": "我下周的所有事件提醒",
98 | "find meeting time": "查找会议时间",
99 | "schedule a meeting": "安排会议",
100 | "track changes on my events for the next week": "跟踪我的下周事件更改",
101 | "my contacts": "我的联系人",
102 | "add contact": "添加联系人",
103 | "my recent files": "我最近使用的文件",
104 | "files shared with me": "与我共享的文件",
105 | "all of my excel files": "我的所有 excel 文件",
106 | "create a folder": "创建文件夹",
107 | "create session": "创建会话",
108 | "worksheets in a workbook": "工作簿中的工作表",
109 | "add a new worksheet": "添加新的工作表",
110 | "used range in worksheet": "工作表中的使用区域",
111 | "tables in worksheet": "工作表中的表",
112 | "charts in worksheet": "工作表中的图表",
113 | "all Planner plans associated with a group": "与组关联的所有规划器计划",
114 | "all Planner tasks for a plan": "计划的所有规划器任务",
115 | "my organization's default SharePoint site": "我的组织的默认 SharePoint 网站",
116 | "a SharePoint site by URL": "SharePoint 网站(通过 URL)",
117 | "subsites in a SharePoint site": "SharePoint 网站中的子网站",
118 | "list in a SharePoint site ": "SharePoint 网站中的列表 ",
119 | "my notebooks": "我的笔记本",
120 | "my sections": "我的分区",
121 | "my pages": "我的页面",
122 | "my inbox rules": "我的收件箱规则",
123 | "my outlook categories": "我的 Outlook 类别",
124 | "get email headers": "获取电子邮件标头",
125 | "list conference rooms": "列出会议室",
126 | "create notebook": "创建笔记本",
127 | "create section": "创建分区",
128 | "create page": "创建页面",
129 | "Users": "用户",
130 | "Users (beta)": "用户 (beta)",
131 | "Groups": "组",
132 | "Groups (beta)": "组 (beta)",
133 | "Outlook Mail": "Outlook 邮件",
134 | "Outlook Mail (beta)": "Outlook 邮件 (beta)",
135 | "Outlook Calendar": "Outlook 日历",
136 | "Outlook Calendar (beta)": "Outlook 日历 (beta)",
137 | "Personal Contacts": "个人联系人",
138 | "OneDrive": "OneDrive",
139 | "Excel": "Excel",
140 | "Planner (beta)": "规划器 (beta)",
141 | "SharePoint Sites (beta)": "SharePoint 网站 (beta)",
142 | "SharePoint Lists": "SharePoint 列表",
143 | "OneNote (beta)": "OneNote (beta)",
144 | "SharePoint Lists (beta)": "SharePoint 列表 (beta)",
145 | "Insights": "见解",
146 | "Insights (beta)": "见解 (beta)",
147 | "Preview": "预览",
148 | "People": "人员",
149 | "Extensions (beta)": "扩展 (beta)",
150 | "Batching": "批处理",
151 | "Extensions": "扩展",
152 | "OneNote": "OneNote",
153 | "Planner": "Planner",
154 | "SharePoint Sites": "SharePoint 网站",
155 | "Microsoft Teams": "Microsoft Teams",
156 | "Microsoft Teams (beta)": "Microsoft Teams (beta)",
157 | "all buckets in Planner plan": "规划器计划中的所有存储桶",
158 | "all Planner tasks for user": "用户的所有规划器任务",
159 | "calculate loan payment": "计算贷款支付",
160 | "channel info": "频道信息",
161 | "channels of a team which I am member of": "我所属团队的频道",
162 | "Combine a POST and a GET": "结合 POST 和 GET",
163 | "create a bucket in Planner plan": "创建规划器计划中的存储桶",
164 | "create a group with extension data": "创建包含扩展数据的组",
165 | "create a Planner task": "创建规划器任务",
166 | "create an open extension": "创建开放扩展",
167 | "create channel": "创建频道",
168 | "create chat thread": "创建聊天会话",
169 | "create user": "创建用户",
170 | "details for Planner task": "规划器任务的详细信息",
171 | "Enumerate list columns": "枚举列表列",
172 | "Enumerate list content types": "枚举列表内容类型",
173 | "Enumerate list items with specific column values": "枚举具有特定的列值的列表项",
174 | "Enumerate site columns of the root site": "枚举根网站的网站栏",
175 | "Enumerate site content types of the root site": "枚举根网站的网站内容类型",
176 | "Enumerate subsites of the root site": "枚举根网站的子网站",
177 | "Enumerate the document libraries under the root site": "枚举根网站下的文档库",
178 | "Enumerate the lists in the root site": "枚举根网站中的列表",
179 | "Enumerate the list items in a list": "枚举列表中的列表项",
180 | "filter groups by extension property value": "按扩展属性值筛选组",
181 | "get an open extension": "获取开放扩展",
182 | "get available schema extensions": "获取可用的架构扩展",
183 | "items in a team drive": "团队驱动器中的项",
184 | "members of a team": "团队成员",
185 | "my joined teams": "我加入的团队",
186 | "my mails from an address": "我的邮件(来自地址)",
187 | "people I work with": "与我合作的人员",
188 | "people relevant to a topic": "与主题相关的人员",
189 | "people whose name starts with J": "姓名以 J 开头的人员",
190 | "Perform parallel GETs": "执行并行 GET",
191 | "Planner plan": "规划器计划",
192 | "Planner task by id": "按 ID 排序的规划器任务",
193 | "Search for a SharePoint site by keyword": "使用关键字搜索 SharePoint 网站",
194 | "SharePoint site based on relative path of the site": "基于网站相对路径的 SharePoint 网站",
195 | "update a bucket in Planner plan": "更新规划器计划中的存储桶",
196 | "update a group with extension data": "使用扩展数据更新组",
197 | "update a Planner plan": "更新规划器计划",
198 | "update a Planner task": "更新规划器任务",
199 | "update an open extension": "更新开放扩展",
200 | "user by email": "按电子邮件地址排序的用户",
201 | "explorer-error": "我们在向图形 API 发送此请求时遇到了问题。若要获得帮助,请在 StackOverflow 上使用标签 [microsoftgraph] 与我们联系。",
202 | "search my OneDrive": "搜索我的 OneDrive",
203 | "User Activities": "用户活动",
204 | "get recent user activities": "获取最近用户活动",
205 | "create a user activity and history item": "创建用户活动和历史记录项",
206 | "Applications (beta)": "应用程序 (beta)",
207 | "retrieve the list of applications in this organization": "检索该组织中应用程序的列表",
208 | "create a new application": "创建新应用程序",
209 | "retrieve the properties and relationships of application object": "检索应用程序对象的属性和关系",
210 | "update the properties of application object": "更新应用程序对象的属性",
211 | "delete an application": "删除应用程序",
212 | "retrieve a list of directoryObject objects": "检索 directoryObject 对象列表",
213 | "create a new owner": "创建一个新的所有者",
214 | "Notifications (beta)": "通知 (beta)",
215 | "create a raw notification": "创建原始通知",
216 | "create a visual notification": "创建可视化通知",
217 | "items shared with me": "与我共享的项",
218 | "items viewed and modified by me": "由我查看和修改的项",
219 | "apps in a team": "团队中的应用",
220 | "create TI indicator (beta)": "创建 TI 指示器 (beta)",
221 | "create multiple TI indicators (beta)": "创建多个 TI 指示器 (beta)",
222 | "update a TI indicator (beta": "更新 TI 指示器 (beta)",
223 | "update multiple TI indicators (beta)": "更新多个 TI 指示器 (beta)",
224 | "create security action (beta)": "创建安全操作 (beta)",
225 | "delete TI indicator (beta)": "删除 TI 指示器 (beta)",
226 | "delete multiple TI indicators (beta)": "删除多个 TI 指示器 (beta)",
227 | "delete multiple TI indicators by external Id (beta)": "按外部 ID 删除多个 TI 指示器 (beta)",
228 | "retrieve the list of applications": "检索应用程序列表",
229 | "retrieve application properties": "检索应用程序属性",
230 | "update application properties": "更新应用程序属性",
231 | "retrieve a list of owners": "检索所有者列表",
232 | "tabs in a channel": "频道中的选项卡",
233 | "messages (without replies) in a channel": "频道中的消息(没有答复)",
234 | "message in a channel": "频道中的消息",
235 | "replies to a message in channel": "频道中消息的答复",
236 | "reply of a message": "消息的答复",
237 | "Export": "导出",
238 | "Action": "操作",
239 | "Canary": "Canary",
240 | "disable canary": "禁用 Canary",
241 | "using canary": "你使用的是 Graph 浏览器的 Canary 版本。登录以发出请求",
242 | "use the Microsoft Graph API": "使用 Microsoft Graph API 即表示你同意 ",
243 | "Terms of use": "Microsoft API 使用条款",
244 | "Microsoft Privacy Statement": "Microsoft 隐私声明",
245 | "Add": "添加",
246 | "Snippets": "代码段",
247 | "Adaptive Cards": "自适应卡",
248 | "Office Dev Program": "获取含示例数据的沙盒",
249 | "Fetching Adaptive Card": "提取自适应卡",
250 | "The Adaptive Card for this response is not available": "此响应无可用的自适应卡。若要了解有关如何创建自适应卡的详细信息,请参阅",
251 | "loading samples": "加载示例",
252 | "older": "更早",
253 | "today": "今天",
254 | "yesterday": "昨天",
255 | "actions": "操作",
256 | "view": "视图",
257 | "remove": "删除",
258 | "back to classic": "预览",
259 | "More actions": "更多操作",
260 | "Permissions": "权限",
261 | "Sign In to see your access token.": "若要查看访问令牌,请登录Graph Explorer。",
262 | "Sign In to try this sample": "登录以尝试此示例",
263 | "Signing you in...": "登录到...",
264 | "Share Query Message": "共享此链接可让其他人在图形浏览器中尝试执行当前查询",
265 | "Copy": "复制",
266 | "Change theme": "更改主题",
267 | "Dark": "深色",
268 | "Light": "浅色",
269 | "High Contrast": "高对比度",
270 | "Auth": "身份验证",
271 | "Collapse": "Collapse",
272 | "Expand": "展开",
273 | "Delete requests": "删除组中的所有请求",
274 | "To try operations other than GET": "尝试 GET 以外的操作或访问自己的数据",
275 | "To try the full features": "用于访问可用于处理查询的更多功能",
276 | "full Graph Explorer": "转到完整体验 Graph 资源管理器",
277 | "Are you sure you want to delete these requests?": "是否确实要删除这些请求?",
278 | "Delete": "删除",
279 | "Cancel": "取消",
280 | "running the query": "登录时,运行查询将影响租户中的数据。",
281 | "We did not find any history items": "找不到任何历史记录项",
282 | "Expand response": "展开响应",
283 | "Access Token": "访问令牌",
284 | "Graph toolkit": "工具包组件",
285 | "We did not find a Graph toolkit for this query": "没有可用于该答复的工具包组件。若要了解有关该工具包的详细信息,请参阅",
286 | "Learn more about the Microsoft Graph Toolkit": "Microsoft Graph 工具包公共资源库",
287 | "Open this example in": "在 中打开这个号示例",
288 | "graph toolkit playground": "图形工具包样本",
289 | "consent to scopes": " 登录的用户没有足够权限,或者你需要同意以下项的权限之一: ",
290 | "Display string": "显示字符串",
291 | "Description": "说明",
292 | "Status": "状态",
293 | "Admin consent required": "需经过管理员同意",
294 | "Consent": "同意",
295 | "permissions required to run the query": "运行查询需要以下权限之一。选择权限,然后单击 \"同意\"。",
296 | "tab": " 选项卡",
297 | "View the": " 查看",
298 | "viewing a cached set": "由于网络连接失败,你正在查看一组缓存的样本。",
299 | "see more queries": "查看更多查询",
300 | "Microsoft Graph API Reference docs": "Microsoft Graph API 参考文档。",
301 | "Fetching permissions": "正在获取权限",
302 | "Authentication failed": "身份验证失败",
303 | "view all permissions": "同意权限",
304 | "Fetching code snippet": "获取代码片段",
305 | "Snippet not available": "代码片段不可用",
306 | "Select different permissions": "若要尝试不同的 Microsoft Graph API 终结点,请选择权限,然后单击 “同意”。",
307 | "Search permissions": "搜索权限",
308 | "permissions not found": "找不到任何权限。",
309 | "selected": "已选中",
310 | "Search sample queries": "搜索示例查询",
311 | "Search history items": "搜索历史记录项",
312 | "Malformed JSON body": "格式错误的 JSON 正文",
313 | "Review the request body": "查看请求正文,修复格式错误的 JSON。",
314 | "Minimize sidebar": "最小化边栏",
315 | "Toggle selection for all items": "切换所有项的选择",
316 | "Toggle selection": "切换选择",
317 | "Row checkbox": "行复选框",
318 | "Administrator permission": "需要租户的管理员授权,你才能同意此权限",
319 | "Adaptive Cards designer": "自适应卡设计器。",
320 | "Click Run Query button above to fetch Adaptive Card": "单击上面的“运行查询”按钮获取自适应卡。",
321 | "Fetching suggestions": "正在获取建议",
322 | "No auto-complete suggestions available": "没有可用的自动完成建议",
323 | "Your history includes queries made in the last 30 days": "你的历史记录中包括过去 30 天进行的查询",
324 | "Get token details (Powered by jwt.ms)": "获取令牌详细信息(jwt.ms 提供支持)",
325 | "HTTP request method option": "HTTP 请求方法选项:",
326 | "Microsoft Graph API Version option": "Microsoft Graph API 版本选项",
327 | "Query Sample Input": "查询示例输入",
328 | "popup blocked, allow pop-up windows in your browser": "已阻止弹出窗口,允许浏览器中的弹出窗口",
329 | "sign in to consent to permissions": "运行查询需要以下权限之一。使用同意你所选权限的帐户登录。",
330 | "Sign in to use this method": "登录以使用此方法",
331 | "Request Header deleted": "已删除请求头",
332 | "Request Header added": "已添加请求头",
333 | "Sidebar minimized": "已最小化边栏",
334 | "Sidebar maximized": "已最大化边栏",
335 | "Response area expanded": "响应区域已展开",
336 | "Close expanded response area": "关闭展开的响应区域",
337 | "permissions not found in permissions tab": "此选项卡上缺少针对该查询的权限。",
338 | "permissions preview": "此功能处于预览状态,当前可能不会显示某些查询的所有权限。",
339 | "sign in to view a list of all permissions": "此选项卡上缺少针对该查询的权限。登录以使用个人资料旁边的设置图标中的\"选择权限\"选项,查看 Microsoft Graph 权限的完整列表,然后从中选择想要及同意的权限。",
340 | "open permissions panel": "打开权限面板",
341 | "permissions list": " 查看 Microsoft Graph 权限的完整列表,然后从中选择所需的权限和许可权限。",
342 | "Get started with adaptive cards on": "开始使用自适应卡片 ",
343 | "Adaptive Cards Templating SDK": "自适应卡片模板 SDK",
344 | "card": "卡片",
345 | "JSON Schema": "JSON 模板",
346 | "Report an Issue": "报告问题",
347 | "Maximize sidebar": "最大化边栏",
348 | "Getting your access token": "正在获取访问令牌",
349 | "and experiment on": " 和试验",
350 | "Scope consent failed": "作用域许可失败",
351 | "Missing url": "请输入有效 URL 以运行查询",
352 | "This response contains an @odata property.": "此响应包含 @odata 属性。",
353 | "Click here to follow the link": "点击此处访问链接。",
354 | "Signing you out...": "正在注销...",
355 | "Admin consent not required": "不需经过管理员同意",
356 | "Navigation help": "使用向右键导航以访问",
357 | "Actions menu": " “操作”菜单",
358 | "user_cancelled": "请等待身份验证过程完成。",
359 | "popup_window_error": "请验证是否已启用弹出窗口,然后重试。",
360 | "invalid_client": "请让应用管理员检查 Azure 应用注册上的应用凭据(应用程序客户端 ID)。",
361 | "null_or_empty_id_token": "请重新登录。",
362 | "authorization_code_missing_from_server_response": "请重新登录。",
363 | "temporarily unavailable": "服务器暂时不可用。请稍后重试。",
364 | "server-error": "服务器暂时不可用。请稍后重试。",
365 | "no_tokens_found": "请重新登录。",
366 | "invalid_request": "请重新登录。",
367 | "user_login_error": "请重新登录。",
368 | "nonce_mismatch_error": "请重新登录。",
369 | "login_in_progress": "请重新登录。",
370 | "interaction_in_progress": "请重新登录。",
371 | "interaction_required": "请重新登录。",
372 | "invalid_grant": "请重新登录。",
373 | "consent_required": "请同意请求的权限,或使用其他帐户登录。",
374 | "access_denied": "租户管理员已阻止你访问图形资源管理器的权限。请让管理员授予你访问这些权限的权限。",
375 | "Tip": "提示",
376 | "monitor_window_timeout": "请检查网络连接并验证弹出窗口是否已启用,然后重试。",
377 | "consent_required_consent": "请同意访问此功能的权限。",
378 | "interaction_required_consent": "请等待同意过程完成,并验证是否已启用弹出窗口。",
379 | "user_cancelled_consent": "请等待同意过程完成。",
380 | "access_denied_consent": "租户管理员已阻止你对此权限的同意。请让管理员授予你访问权限,然后重试。",
381 | "This response contains unviewable content": "此响应包含可能无法在此编辑器上查看的内容。",
382 | "Click to download file": "单击以下载文件。",
383 | "Learn more": "了解详细信息",
384 | "loading resources": "正在加载资源",
385 | "Isolate": "分离",
386 | "Search resources": "搜索资源",
387 | "Select version": "选择版本",
388 | "Close isolation": "关闭隔离",
389 | "Path display": "路径显示",
390 | "More path links": "更多路径链接",
391 | "Resources available": "可用资源",
392 | "Selected Resources": "选定资源",
393 | "A documentation link for this URL exists. Click learn more to access it": "存在此 URL 的文档链接。单击“了解详细信息”以访问它",
394 | "Feedback": "帮助改进 Graph 浏览器?",
395 | "Comment question": "告诉我们有关你的体验更多信息",
396 | "Prompt question": "我们非常期待你的反馈",
397 | "No": "不支持",
398 | "Yes": "是",
399 | "title": "Graph 浏览器反馈",
400 | "Rating question": "总体而言,使用 Graph 浏览器的难易程度如何?",
401 | "Extremely difficult": "极其困难",
402 | "Slightly difficult": "有点困难",
403 | "Neither easy nor difficult": "不简单也不困难",
404 | "Slightly easy": "有点简单",
405 | "Rating": "评级",
406 | "Extremely easy": "非常简单",
407 | "Email (optional)": "电子邮件(可选)",
408 | "You can contact me about this feedback": "可联系我有关此反馈的信息",
409 | "Privacy Statement": "隐私声明",
410 | "Submitted Successfully": "已成功提交",
411 | "Privacy consent": "通过按提交,你的反馈将用于改进 Microsoft 产品和服务。你的 IT 管理员将能够收集此数据",
412 | "Graph Rating Question": "你有多大可能会推荐其他开发人员使用 Microsoft Graph 进行开发?",
413 | "love your feedback": "我们非常期待你的反馈。",
414 | "We have just two questions": "我们只问两个问题。",
415 | "Sure": "当然",
416 | "Not now": "以后再说",
417 | "Please tell us more. Why did you choose that answer": "请提供详细说明。你选择该答案的原因是什么?",
418 | "Not at all likely": "完全不可能",
419 | "Extremely likely": "极有可能",
420 | "Show methods": "显示方法",
421 | "Set Query": "设置查询",
422 | "Query parameters": "查询参数",
423 | "Preview collection": "预览集合",
424 | "Download postman collection": "下载 Postman 集合",
425 | "Export list as a Postman collection message": "可以将整个列表导出为 Postman 集合。如果列表中存在你不想要的项目,请选择要删除的项。",
426 | "Copied": "已复制",
427 | "Invalid whitespace in URL": "URL 中的无效空白",
428 | "Response content not available due to CORS policy": "由于 CORS 策略,响应内容在 Graph 浏览器中不可用。可以在 API 客户端(如 Postman)中执行此请求。详细了解 CORS 并了解其工作原理",
429 | "here": "此处",
430 | "Invalid version in URL": "URL 中的版本无效",
431 | "More info": "详细信息",
432 | "Could not connect to the sandbox": "无法连接到沙盒",
433 | "Failed to get profile information": "未能获取用户配置文件信息",
434 | "Do you want to remove all the items you have added to the collection?": "是否要删除已添加到集合中的所有项?",
435 | "Delete collection": "删除集合",
436 | "Leverage libraries": "充分利用客户端库的力量。立即下载",
437 | "Client library": "在此处的客户端库 ",
438 | "SDKs documentation": "若要阅读更多有关我们 SDK 的信息,请转到文档页: ",
439 | "Add to collection": "添加到集合",
440 | "Switch to beta": "切换到 beta 版",
441 | "Resources": "资源",
442 | "More items": "更多项目",
443 | "Update": "更新",
444 | "Edit request header": "编辑请求页眉",
445 | "Remove request header": "删除请求页眉",
446 | "Settings": "设置",
447 | "sign in other account": "使用其他帐户登录",
448 | "Help": "帮助",
449 | "Graph Documentation": "Microsoft Graph API 参考",
450 | "Parts between {} need to be replaced with real values": "{} 之间的部分需要替换为实数值",
451 | "Get started with Graph Explorer": "Graph 浏览器入门",
452 | "No resources found": "找不到任何资源项",
453 | "No samples found": "找不到任何示例查询"
454 | }
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "microsoft-graph-devx-content",
3 | "version": "1.0.0",
4 | "description": "Content used by the DevX API to enhance clients and tooling",
5 | "scripts": {
6 | "test": "node scripts/test-initiator.js"
7 | },
8 | "author": "",
9 | "license": "MIT",
10 | "devDependencies": {
11 | "jasmine": "^2.5.3",
12 | "jest": "29.3.1",
13 | "jest-fetch-mock": "2.1.1",
14 | "jest-pnp-resolver": "1.0.2",
15 | "jest-resolve": "23.6.0",
16 | "jest-watch-typeahead": "0.2.1",
17 | "node-fetch": "^2.6.7"
18 | }
19 | }
20 |
--------------------------------------------------------------------------------
/scripts/test-initiator.js:
--------------------------------------------------------------------------------
1 | 'use strict';
2 |
3 | // Do this as the first thing so that any code reading it knows the right env.
4 | process.env.BABEL_ENV = 'test';
5 | process.env.NODE_ENV = 'test';
6 | process.env.PUBLIC_URL = '';
7 |
8 | // Makes the script crash on unhandled rejections instead of silently
9 | // ignoring them. In the future, promise rejections that are not handled will
10 | // terminate the Node.js process with a non-zero exit code.
11 | process.on('unhandledRejection', err => {
12 | throw err;
13 | });
14 |
15 | // Ensure environment variables are read.
16 |
17 | const jest = require('jest');
18 | const execSync = require('child_process').execSync;
19 | let argv = process.argv.slice(2);
20 |
21 | function isInGitRepository () {
22 | try {
23 | execSync('git rev-parse --is-inside-work-tree', { stdio: 'ignore' });
24 | return true;
25 | } catch (e) {
26 | return false;
27 | }
28 | }
29 |
30 | function isInMercurialRepository () {
31 | try {
32 | execSync('hg --cwd . root', { stdio: 'ignore' });
33 | return true;
34 | } catch (e) {
35 | return false;
36 | }
37 | }
38 |
39 | // Watch unless on CI, in coverage mode, explicitly adding `--no-watch`,
40 | // or explicitly running all tests
41 | if (
42 | !process.env.CI &&
43 | argv.indexOf('--coverage') === -1 &&
44 | argv.indexOf('--no-watch') === -1 &&
45 | argv.indexOf('--watchAll') === -1
46 | ) {
47 | // https://github.com/facebook/create-react-app/issues/5210
48 | const hasSourceControl = isInGitRepository() || isInMercurialRepository();
49 | argv.push(hasSourceControl ? '--watch' : '--watchAll');
50 | }
51 |
52 | // Jest doesn't have this option so we'll remove it
53 | if (argv.indexOf('--no-watch') !== -1) {
54 | argv = argv.filter(arg => arg !== '--no-watch');
55 | }
56 |
57 |
58 | jest.run(argv);
--------------------------------------------------------------------------------
/tests/samples.schema.json:
--------------------------------------------------------------------------------
1 | {
2 | "type": "object",
3 | "properties": {
4 | "SampleQueries": {
5 | "type": "array",
6 | "items": [
7 | {
8 | "type": "object",
9 | "properties": {
10 | "id": {
11 | "type": "string",
12 | "format": "uuid"
13 | },
14 | "category": {
15 | "type": "string"
16 | },
17 | "method": {
18 | "type": "string",
19 | "enum": [
20 | "GET",
21 | "POST",
22 | "PUT",
23 | "PATCH",
24 | "DELETE"
25 | ]
26 | },
27 | "humanName": {
28 | "type": "string"
29 | },
30 | "requestUrl": {
31 | "type": "string"
32 | },
33 | "docLink": {
34 | "type": "string",
35 | "format": "uri"
36 | },
37 | "tip": {
38 | "type": "string"
39 | },
40 | "postBody": {
41 | "type": "string"
42 | },
43 | "headers": {
44 | "type": "array",
45 | "items": [
46 | {
47 | "type": "object",
48 | "properties": {
49 | "name": {
50 | "type": "string"
51 | },
52 | "value": {
53 | "type": "string"
54 | }
55 | },
56 | "additionalProperties": false,
57 | "required": [
58 | "name",
59 | "value"
60 | ]
61 | }
62 | ]
63 | },
64 | "skipTest": {
65 | "type": "boolean"
66 | }
67 | },
68 | "additionalProperties": false,
69 | "required": [
70 | "id",
71 | "category",
72 | "method",
73 | "humanName",
74 | "requestUrl",
75 | "docLink"
76 | ]
77 | }
78 | ]
79 | }
80 | },
81 | "additionalProperties": false,
82 | "required": [
83 | "SampleQueries"
84 | ]
85 | }
--------------------------------------------------------------------------------
/tests/samples.spec.js:
--------------------------------------------------------------------------------
1 | const samples = require('../sample-queries/sample-queries.json');
2 | const { includesAllowedVersions, validateJson, validateLink, hasWhiteSpace } = require("./validator");
3 |
4 | const sampleQueries = samples.SampleQueries;
5 | for (const query of sampleQueries) {
6 | describe(`${query.humanName}:`, function () {
7 |
8 | it('id should be unique', function () {
9 | const count = sampleQueries.filter(samp => samp.id === query.id).length;
10 | expect(count).toEqual(1);
11 | });
12 |
13 | it('id should be a valid GUID', function () {
14 | const regexPattern = /^[{|\(]?[0-9A-F]{8}[-]?([0-9A-F]{4}[-]?){3}[0-9A-F]{12}[\)|}]?$/i;
15 | expect(regexPattern.test(query.id)).toEqual(true);
16 | });
17 |
18 | it('humanName first word should be lower cased', function () {
19 | const firstWord = query.humanName.split(' ')[0];
20 | const lowerCasedHumanName = firstWord.toLowerCase();
21 | expect(lowerCasedHumanName).toEqual(firstWord);
22 | });
23 |
24 | it('version should be v1.0 or beta', function () {
25 | const allowedVersions = ['v1.0', 'beta'];
26 | const includes = includesAllowedVersions(allowedVersions, query.requestUrl);
27 | expect(includes).toEqual(true);
28 | });
29 |
30 | if (query.postBody) {
31 | it (`sample with postBody property should have corresponding headers property`, function () {
32 | expect(query.headers).toBeDefined();
33 | });
34 |
35 | it(`postbody should be a valid json string`, function () {
36 | let isValidJson = true;
37 | if (query.headers) {
38 | isValidJson = validateJson(query, isValidJson);
39 | }
40 | expect(isValidJson).toEqual(true);
41 | });
42 | }
43 |
44 | it('docLink should be valid', async function() {
45 | const isValidLink = await validateLink(query.docLink);
46 | expect(isValidLink).toBe(true);
47 | });
48 |
49 | it('requestUrl should start with a leading /', function () {
50 | expect(query.requestUrl.startsWith('/')).toBe(true);
51 | });
52 |
53 | it('requestUrl should not have whitespace before parameters', function () {
54 | expect(hasWhiteSpace(query.requestUrl)).toBe(false);
55 | })
56 | });
57 | }
58 |
--------------------------------------------------------------------------------
/tests/validator.js:
--------------------------------------------------------------------------------
1 | const fetch = require('node-fetch');
2 |
3 | function includesAllowedVersions (versions, request) {
4 | return versions.some(version => {
5 | return request.toLowerCase().includes(version.toLowerCase());
6 | });
7 | }
8 | function validateJson (query, isValidJson) {
9 | const contentTypeHeaders = query.headers.find(header => header.name.toLowerCase().includes('content-type'));
10 | // xml content will not pass test
11 | if (contentTypeHeaders && !contentTypeHeaders.value.includes('xml')) {
12 | try {
13 | JSON.parse(query.postBody);
14 | } catch (error) {
15 | isValidJson = false;
16 | }
17 | }
18 | return isValidJson;
19 | }
20 |
21 | async function validateLink (linkUrl) {
22 | try {
23 | const response = await fetch(linkUrl);
24 | return response.ok;
25 | } catch (error) {
26 | return false;
27 | }
28 | }
29 |
30 | function hasWhiteSpace( sampleUrl ){
31 | if(!sampleUrl) { return false }
32 | const requestUrl = sampleUrl.split('?');
33 | const whiteSpace = (requestUrl && requestUrl.length > 0) ? requestUrl[0].trim().indexOf(' ') : -1;
34 | return whiteSpace === 1;
35 | }
36 |
37 | exports.validateJson = validateJson;
38 | exports.includesAllowedVersions = includesAllowedVersions;
39 | exports.validateLink = validateLink;
40 | exports.hasWhiteSpace = hasWhiteSpace;
41 |
--------------------------------------------------------------------------------