hexsha stringlengths 40 40 | size int64 5 1.04M | ext stringclasses 6 values | lang stringclasses 1 value | max_stars_repo_path stringlengths 3 344 | max_stars_repo_name stringlengths 5 125 | max_stars_repo_head_hexsha stringlengths 40 78 | max_stars_repo_licenses listlengths 1 11 | max_stars_count int64 1 368k ⌀ | max_stars_repo_stars_event_min_datetime stringlengths 24 24 ⌀ | max_stars_repo_stars_event_max_datetime stringlengths 24 24 ⌀ | max_issues_repo_path stringlengths 3 344 | max_issues_repo_name stringlengths 5 125 | max_issues_repo_head_hexsha stringlengths 40 78 | max_issues_repo_licenses listlengths 1 11 | max_issues_count int64 1 116k ⌀ | max_issues_repo_issues_event_min_datetime stringlengths 24 24 ⌀ | max_issues_repo_issues_event_max_datetime stringlengths 24 24 ⌀ | max_forks_repo_path stringlengths 3 344 | max_forks_repo_name stringlengths 5 125 | max_forks_repo_head_hexsha stringlengths 40 78 | max_forks_repo_licenses listlengths 1 11 | max_forks_count int64 1 105k ⌀ | max_forks_repo_forks_event_min_datetime stringlengths 24 24 ⌀ | max_forks_repo_forks_event_max_datetime stringlengths 24 24 ⌀ | content stringlengths 5 1.04M | avg_line_length float64 1.14 851k | max_line_length int64 1 1.03M | alphanum_fraction float64 0 1 | lid stringclasses 191 values | lid_prob float64 0.01 1 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
87bc75b9663a8a80fd496fa3d7617254833c5a1d | 4,751 | md | Markdown | docs/components/form-builder/1.1/fb-radio-group.md | awema-pl/module-wiki | 5183e4c8f602ae79e27679daef1240ef258f9c75 | [
"MIT"
] | null | null | null | docs/components/form-builder/1.1/fb-radio-group.md | awema-pl/module-wiki | 5183e4c8f602ae79e27679daef1240ef258f9c75 | [
"MIT"
] | null | null | null | docs/components/form-builder/1.1/fb-radio-group.md | awema-pl/module-wiki | 5183e4c8f602ae79e27679daef1240ef258f9c75 | [
"MIT"
] | null | null | null | # The <fb-radio-group> Component
Using this component, you can create a group of radio buttons. It can be located within the <form-builder> component, then it requires `name` property, or it can be used with `v-model` Vue directive. The example below shows several different groups of radio buttons which you can customize at your own discretion.

## Components
* [General information](./form-builder.md)
* [Auto Captcha](./auto-captcha.md)
* [Checkbox](./checkbox.md)
* [Company Slug](./company-slug.md)
* [Editor](./editor.md)
* [Input](./input.md)
* [Multi Block](./multi-block.md)
* [Phone](./phone.md)
* **Radio Group**
* [Select](./select.md)
* [Slider](./slider.md)
* [Switcher](./switcher.md)
* [Textarea](./textarea.md)
* [Uploader](./uploader.md)
* [Validation Code](./code.md)
## Example
```html
<form-builder url="/api-url">
<fb-radio-group
name="options"
label="Choose option"
:items="[{name: 'Option 1', value:'option_1'}, {name: 'Option 2', value:'option_2'}]"
></fb-radio-group>
</form-builder>
```
@vue
<form-builder url="/api-url">
<fb-radio-group name="options" label="Choose option" :items="[{name: 'Option 1', value:'option_1'}, {name: 'Option 2', value:'option_2'}]"></fb-radio-group>
</form-builder>
@endvue
## Component properties
| Name | Type | Default | Description |
|---------------------|:------------------:|:-------------------:|---------------------------------------------------|
| **name** | `String` | `undefined` | Field identifier in the data object |
| **id** | `Number` | `undefined` | Sequence number within the <fb-multi-block> component |
| **cell** | `String`, `Number` | `undefined` | Number of columns in the row. It can be 2 or 3 |
| **label** | `String` | `''` | Text in the <label> element |
| **items** | `Array` | `undefined` | [Array of radio buttons](#fbrg-items) |
| **box** | `Boolean` | `false` | It adds classes for styling with a frame |
| **enter-skip** | `Boolean` | `false` | Skip field when switching by the <kbd>enter</kbd> button |
| **focus** | `Boolean` | `false` | Set focus on this field when loading a page |
<h2 id="fbrg-items">Array of radio buttons</h2>
There are two options for displaying the items array:
```javascript
const items = ['Item 1', 'Item 2', 'Item 3']
// In such case, we will get radio buttons with the same `<label>` and `value`
const items = [
{name: 'Item 1', value: 'val1'},
{name: 'Item 2', value: 'val2'},
{name: 'Item 3', value: 'val3'}
]
// In such case, the text within the `<label>` element is equal to `name`
// and the `value` attribute is equal to `value`
```
@vue
<form-builder url="/api-url">
<fb-radio-group name="equal" label="Equal option" :items="['Option 1', 'Option 2']"></fb-radio-group>
<fb-radio-group name="different" label="Different option" :items="[{name: 'Option 1', value:'option_1'}, {name: 'Option 2', value:'option_2'}]"></fb-radio-group>
</form-builder>
@endvue
## Styling of the radio button
Using the slot, by default, you can style the appearance of buttons. Please use the following HTML code snippet to customize your buttons:
```html
<form-builder url="/api-url">
<fb-radio-group
name="custom"
label="Customized options"
:items="[
{heading: 'Heading 1', subtitle: 'Subtitle 1', value: 1},
{heading: 'Heading 2', subtitle: 'Subtitle 2', value: 2},
]"
>
<template slot-scope="radio">
<span class="my-box">
<span
:class="['my-box__heading', {'is-checked': radio.checked, 'is-focused': radio.focused}]"
>{{ radio.heading }}</span>
<em class="my-box__subtitle">{{ radio.subtitle }}</em>
</span>
</template>
</fb-radio-group>
</form-builder>
```
The following variables are passed to the slot:
| Name | Type | Description |
|---------------------|:------------------:|----------------------------------|
| **item** | `Object` | The current item of the `items` array |
| **checked** | `Boolean` | It indicates whether the button is checked |
| **focused** | `Boolean` | The focus is set on this button |
| 41.675439 | 319 | 0.539465 | eng_Latn | 0.892322 |
87bd5a28730fb4911606022a7f63693d915aab17 | 5,541 | md | Markdown | README.md | kolektiv/FifteenBelow.Json | c388dea02cc0061b9b2bef9fff46f1e40a40d437 | [
"MIT"
] | 18 | 2016-07-03T11:41:19.000Z | 2021-03-16T00:24:17.000Z | README.md | kolektiv/FifteenBelow.Json | c388dea02cc0061b9b2bef9fff46f1e40a40d437 | [
"MIT"
] | null | null | null | README.md | kolektiv/FifteenBelow.Json | c388dea02cc0061b9b2bef9fff46f1e40a40d437 | [
"MIT"
] | 5 | 2017-08-23T06:02:14.000Z | 2019-09-19T09:29:58.000Z | # FifteenBelow.Json
## Overview
FifteenBelow.Json provides a set of `JsonConverter` types for the Newtonsoft.Json library, focused on providing _idiomatic_ serialization of common F# types. While Newtonsoft.Json is progressing native support for F#, we feel that the JSON structures emitted by these converters are slightly more human friendly (where possible).
Some trade-offs have been made between power and simplicity, and these are documented where they apply to each converter in the following sections. While the examples only show F# -> JSON, deserialization works as expected.
## Installation
FifteenBelow.Json is [available on NuGet](http://www.nuget.org/packages/FifteenBelow.Json), with the package name __FifteenBelow.Json__.
## Usage
The converters should be added to an `IList<JsonConverter>` and set as Converters on `JsonSerializerSettings`, which can then be passed to the various serialization/deserialization methods available. The converters have no dependencies between them, so you can load only the ones which apply if desired. Examples given below use a JsonSerializerSettings like this:
```fsharp
let converters =
[ OptionConverter () :> JsonConverter
TupleConverter () :> JsonConverter
ListConverter () :> JsonConverter
MapConverter () :> JsonConverter
BoxedMapConverter () :> JsonConverter
UnionConverter () :> JsonConverter ] |> List.toArray :> IList<JsonConverter>
let settings =
JsonSerializerSettings (
ContractResolver = CamelCasePropertyNamesContractResolver (),
Converters = converters,
Formatting = Formatting.Indented,
NullValueHandling = NullValueHandling.Ignore)
```
## Included Converters
### Options
The `OptionConverter` supports the F# `Option` type. `Some 'T` will be serialized as `'T`, while `None` will be serialized as `null` (Newtonsoft.Json has settings to control the writing of `null` values to JSON).
```fsharp
type OptionType = { Option: string option }
let someType = { Option = Some "Hello World!" }
let someJson = JsonConvert.Serialize<OptionType> (someType, settings)
let noneType = { Option = None }
let noneJson = JsonConvert.Serialize<OptionType> (noneType, settings)
```
```js
// someJson
{
"option": "Hello World"
}
// noneJson
{}
```
### Tuples
The `TupleConverter` supports the F# Tuple type. As Tuples are essentially positional (and heterogeneous) data structures, they are serialized as JSON arrays (as arrays in JSON can contain heterogeneous types natively).
```fsharp
type TupleType = { Tuple: string * int * bool }
let tupleType = { Tuple = "Hello", 5, true }
let tupleJson = JsonConvert.Serialize<TupleType> (tupleType, settings)
```
```js
// tupleJson
{
"tuple": [
"Hello",
5,
true
]
}
```
### Lists
The `ListConverter` supports the F# List type. Lists are serialized as homogeneous JSON arrays.
```fsharp
type ListType = { List: string list }
let listType = { List = ["Hello"; "World!"] }
let listJson = JsonConvert.Serialize<ListType> (listType, settings)
```
```js
// listJson
{
"list": [
"Hello",
"World!"
]
}
```
### Maps
The `MapConverter` supports the F# Map type, with the proviso that the map is of Type `Map<'K,'V>`, where `'V` is not `obj`. The `BoxedMapConverter` supports maps of `Map<'K,obj>`. Additionally, 'K must be either `string|int|Guid`. This is an intentional design decision, as non-string keys don't map to JSON well, and these 3 key types cover our common cases while mapping sensibly to string representations. While it's possible to support a (finite) set of other key types which would have sensible string representations, the decision was made that it's better and more predictable to restrict the key type to `string|int|Guid` and convert other representations programatically on serialization/deserialization.
The `MapConverter` converts a map to a JSON object, while the `BoxedMapConverter` converts to a JSON object where each value is an object containing the type of the object and it's value.
```fsharp
type MapType =
{ Map: Map<string,int>
BoxedMap: Map<string,obj> }
let mapType =
{ Map = [ "foo", 10; "bar", 20 ] |> Map.ofList
BoxedMap = [ "foo", box 10; "bar", box "twenty" ] |> Map.ofList }
let mapJson = JsonConvert.Serialize<MapType> (mapType, settings)
```
```js
// mapJson
{
"map": {
"foo": 10
"bar": 20
},
"boxedMap": {
"foo": {
"$type": "System.Int",
"value": 10
},
"bar": {
"$type": "System.String",
"value": "twenty"
}
}
}
```
### Unions
The `UnionConverter` supports F# Discriminated Unions. As Union Case types are essentially positional, individual cases are serialized as heterogeneous JSON arrays, within an object, where the key will be the case name. This decision was made to allow simple JavaScript, checking for the presence of a key within the serialized union object as a very basic form of pattern matching. Note that case names will respect the contract resolver setting about key names (with these settings, they will be camel cased).
Also note that as cases are resolved by name, changes to the naming of a Union case between serialization and deserialization will be likely to cause issues.
```fsharp
type Union =
| First of string * int
| Second of bool * int
type UnionType = { Union: Union }
let unionType = { Union = First ("foo", 10) }
let unionJson = JsonConvert.Serialize<UnionType> (unionType, settings)
```
```js
// unionJson
{
"union": {
"first": [
"foo",
10
]
}
}
```
| 32.982143 | 714 | 0.715575 | eng_Latn | 0.972565 |
87bdc53dfe795ab20a911e7e9a4d1b4d6621187a | 2,071 | md | Markdown | articles/cognitive-services/QnAMaker/glossary.md | JungYeolYang/azure-docs.ko-kr | 9e1cbd1d66432cb0cf079ea8f186a1f5c6d99153 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/cognitive-services/QnAMaker/glossary.md | JungYeolYang/azure-docs.ko-kr | 9e1cbd1d66432cb0cf079ea8f186a1f5c6d99153 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/cognitive-services/QnAMaker/glossary.md | JungYeolYang/azure-docs.ko-kr | 9e1cbd1d66432cb0cf079ea8f186a1f5c6d99153 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: 용어 - QnA Maker
titleSuffix: Azure Cognitive Services
description: QnA Maker 서비스에는 서비스 관련 용어와 함께 Machine Learning의 많은 새로운 용어 및 자연어 처리 기능이 있습니다. 이 목록은 그러한 용어를 이해하는 데 도움이 됩니다.
services: cognitive-services
author: tulasim88
manager: nitinme
ms.service: cognitive-services
ms.subservice: qna-maker
ms.topic: article
ms.date: 02/21/2019
ms.author: tulasim
ms.custom: seodec18
ms.openlocfilehash: bb3b262f3bde0599cb6dea009d0fbbeafb1c529a
ms.sourcegitcommit: a4efc1d7fc4793bbff43b30ebb4275cd5c8fec77
ms.translationtype: MT
ms.contentlocale: ko-KR
ms.lasthandoff: 02/21/2019
ms.locfileid: "56649444"
---
# <a name="glossary-for-qna-maker-knowledge-base-and-service"></a>QnA Maker 기술 자료 및 서비스에 대한 용어집
## <a name="qna-maker-service"></a>QnA Maker Service
QnA Maker 서비스는 QnA Maker 사용을 시작하기 위한 필수 조건입니다. QnA Maker 계층을 구매하면 Azure 구독에 기술 자료를 만들고 관리하기 위한 리소스가 설정됩니다. 각 QnA Maker 사용자 계정은 Azure 구독에 여러 개의 QnA Maker 서비스를 만들 수 있습니다.
## <a name="knowledge-base"></a>기술 자료
기술 자료는 QnA Maker를 통해 생성, 유지 관리 및 사용되는 질문 및 답변의 리포지토리입니다. 각 QnA Maker 계층을 여러 기술 자료에 사용할 수 있습니다.
## <a name="endpoint"></a>엔드포인트
애플리케이션, 일반적으로 챗봇에 통합할 수 있는 기술 자료 콘텐츠를 제공하는 REST 기반 HTTP 엔드포인트입니다.
## <a name="test-knowledge-base"></a>테스트 기술 자료
기술 자료에는 두 가지 상태(테스트 및 게시됨)가 있습니다. 테스트 기술 자료는 응답의 정확성 및 완전성을 위해 편집, 저장 및 테스트 중인 버전입니다. 테스트 기술 자료의 변경 내용은 애플리케이션/챗봇의 최종 사용자에게 영향을 주지 않습니다.
## <a name="published-knowledge-base"></a>게시된 기술 자료
기술 자료에는 두 가지 상태(테스트 및 게시됨)가 있습니다. 게시된 기술 자료는 챗봇/응용 프로그램에서 사용되는 버전입니다. 기술 자료를 게시하는 작업은 테스트 기술 자료 콘텐츠를 게시된 기술 자료 버전에 넣습니다. 게시된 기술 자료는 애플리케이션이 엔드포인트를 통해 사용하는 버전이므로, 콘텐츠가 올바르고 잘 테스트되었는지 신중하게 확인해야 합니다.
## <a name="query"></a>쿼리
사용자 쿼리는 기술 자료에 대한 최종 사용자 또는 테스터의 질문입니다. 쿼리가 자연어 형식이거나 질문을 나타내는 몇 개의 키워드인 경우도 있습니다.
## <a name="response"></a>response
응답은 지정된 사용자 쿼리에 가장 잘 일치하는 항목을 기준으로 기술 자료에서 검색된 답변입니다.
## <a name="confidence-score"></a>신뢰도 점수
응답의 신뢰도 점수는 0에서 100 사이의 숫자 값이며, 100은 사용자 쿼리와 기술 자료의 질문이 정확히 일치하는 쿼리이고, 제공된 응답이 지정된 사용자 쿼리에 대한 적절한 응답임을 나타냅니다. 답변은 일반적으로 순으로 순위가 지정 신뢰성 점수 및 더 높은 신뢰성 점수를 사용 하 여 것으로 제공 되는 [기본 응답](concepts/confidence-score.md#change-default-answer)합니다.
| 45.021739 | 233 | 0.737808 | kor_Hang | 1.00001 |
87be5493df0317d9a78b5c0f7fd3dd6582e7abd4 | 923 | md | Markdown | 2021/CVE-2021-40690.md | marcostolosa/cve | bfe85c74b105c623c9807e09b2b572f144bf1f1c | [
"MIT"
] | 4 | 2022-03-01T12:31:42.000Z | 2022-03-29T02:35:57.000Z | 2021/CVE-2021-40690.md | az7rb/cve | ea036e0c97bb9d05e18e7f1aea0a746fcb25d312 | [
"MIT"
] | null | null | null | 2021/CVE-2021-40690.md | az7rb/cve | ea036e0c97bb9d05e18e7f1aea0a746fcb25d312 | [
"MIT"
] | 1 | 2022-03-29T02:35:58.000Z | 2022-03-29T02:35:58.000Z | ### [CVE-2021-40690](https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2021-40690)



### Description
All versions of Apache Santuario - XML Security for Java prior to 2.2.3 and 2.1.7 are vulnerable to an issue where the "secureValidation" property is not passed correctly when creating a KeyInfo from a KeyInfoReference element. This allows an attacker to abuse an XPath Transform to extract any local .xml files in a RetrievalMethod element.
### POC
#### Reference
No POC found.
#### Github
- https://github.com/p1ay8y3ar/cve_monitor
| 51.277778 | 341 | 0.774648 | eng_Latn | 0.516581 |
87bea80b83dba37c6a0cafdcc1b92ed1aa7c035a | 3,543 | md | Markdown | src/posts/117-nested-route-model-binding-in-laravel.md | dwightwatson/dwightwatson.com | 66395ed091b56eb09c44a970013069ffb57cb081 | [
"MIT"
] | 121 | 2015-01-12T16:23:39.000Z | 2019-09-07T18:53:00.000Z | src/posts/117-nested-route-model-binding-in-laravel.md | dwightwatson/neontsunami-gatsby | 01164fe66b64ca98400627bc12754e5aadd19ba1 | [
"MIT"
] | 32 | 2020-06-09T01:00:58.000Z | 2022-03-30T02:45:39.000Z | src/posts/117-nested-route-model-binding-in-laravel.md | dwightwatson/dwightwatson.com | 66395ed091b56eb09c44a970013069ffb57cb081 | [
"MIT"
] | 38 | 2015-02-04T10:52:58.000Z | 2019-02-27T09:36:46.000Z | ---
title: "Nested route model binding in Laravel"
path: /posts/nested-route-model-binding-in-laravel
author: Dwight Watson
date: 2016-09-21
tags: ["laravel", "php"]
---
I'm a big fan of route model binding in Laravel, and have been using it since it was first introduced. I was very excited when it later became standard with implicit route model binding in 5.2. There is just one issue that route model binding brings that is easily solved by the alternative, fetching models yourself in the action. Let's use an example of fetching a user's post.
```php
public function show($userId, $postId)
{
$user = App\User::findOrFail($userId);
$post = $user->posts()->findOrFail($postId);
//
}
```
In this example because you fetch the post through the user's `posts()` association you can be sure that you're getting the post that belongs to the user. Of course in a real-world example for this sort of association you might instead consider authorization, but it's a simple solution of how to fetch a nested (or "belongs to") model.
Let's have a look at how it looks with route model binding. By default route model binding is going to be done with the model's ID, so it's going to fetch the correct model for you, but you might still want to fetch it through the association to confirm it's correct.
```php
public function show(User $user, Post $post)
{
// We can't be sure that the post belongs to the user, so shall
// we re-fetch the model through the association?
$post = $user->posts()->findOrFail($post->id);
//
}
```
This isn't all too bad, however where it gets complex is when you *aren't using model IDs as the route parameter*. What if our `Post` model used a slug for URLs, and that slug didn't need to be unique globally - just unique to that user?
```php
class Post extends Eloquent
{
/**
* Get the route key for the model.
*
* @return string
*/
public function getRouteKeyName()
{
return 'slug';
}
}
```
Now with route model binding - we can't be sure that the correct model has been fetched. If there are multiple posts with the same slug it's just going to get the first - it's "blissfully" unaware of the association. You might compensate for this by refetching the post using the slug through the association.
```php
public function show(User $user, Post $post)
{
// We can't be sure that the correct post was selected by the slug,
// so we'll re-fetch it through the user's association.
$post = $user->posts()->where('slug', $post->slug)->firstOrFail();
//
}
```
However we don't want to have to go through the entire site, always re-fetching the model through an association to make sure we're getting the right one. It's brittle and bound to be missed in some places. There's a better way - we can sort it out in the `RouteServiceProvider` with a manual binding.
```php
Route::bind('post', function ($value, $route) {
if ($user = $route->parameter('user')) {
return $user->posts()->where('slug', $value)->firstOrFail();
}
return \App\Post::where('slug', $value)->firstOrFail();
});
```
With this, whenever Laravel tries to perform a model binding on a route it will first check to see if the route has a `user` parameter, and if so it will use it to correctly scope the model lookup. Now we're back to a nice clean model action without any crap.
```php
public function show(User $user, Post $post)
{
//
}
```
| 40.724138 | 380 | 0.689811 | eng_Latn | 0.998672 |
87bf307cf872a9116e1af2b1783781ec544eba11 | 2,363 | md | Markdown | Unity2019ILRuntime/Assets/QFramework/ILRuntime/Runtime/README.md | yzx4036/QFramework | e4aefe63829849e5491d87da04e8e760764d7d70 | [
"MIT"
] | null | null | null | Unity2019ILRuntime/Assets/QFramework/ILRuntime/Runtime/README.md | yzx4036/QFramework | e4aefe63829849e5491d87da04e8e760764d7d70 | [
"MIT"
] | null | null | null | Unity2019ILRuntime/Assets/QFramework/ILRuntime/Runtime/README.md | yzx4036/QFramework | e4aefe63829849e5491d87da04e8e760764d7d70 | [
"MIT"
] | null | null | null | - 1.Hotfix中不要写大量复杂的计算,特别是在Update之类的方法中.
- 2.Hotfix中调用泛型需要写重定向,参考ILRuntimeRedirectHelper中的各个注册
- 3.Hotfix对多线程Thread不兼容,使用会导致Unity崩溃闪退
- 4.Hotfix中重写Unity中的虚函数时,不能再调base.xxx(),否则会爆栈,也就是StackOverflow
- 5.Hotfix中不支持unsafe,intptr,interup
- 6.Unity调用Hotfix的方法,开销相对较大,尽量避免.
- 7.大部分情况下,Struct会比class慢,还会有频繁装箱的问题
- 8.不支持复杂的可空值类型
- 10.使用for代替foreach,使用ForDic代替Dic
- 11.主项目中 创建实例化和GetType使用 ReflectionHelper 中的方法
- 12.尽量使用Action以及Func这两个系统内置万用委托类型
- 13.获取属性使用type.GetCustomAttributes(Typeof(Attr), false);
- 14.不要使用Get(Add)Component(Type)来操作组件
- 15.使用[][]代替 [,]
- 16.跨域继承不能多继承 如之前的Army跨域继承了Mono,如果再继承IDraggable,List<IDraggable>是不能识别的,所以需要热更里有一个类
- 继承Mono的同时实现IDraggable接口,Army继承DraggableMono,使用List<DraggableMono> 来接Army
- 17.不能使用ref/out 例如TryGetComponent
- 18.使用Release编译的dll运行,需要生成clr绑定并初始化
- 19.热更中适当使用枚举,不要做过多操作
- 20.Attribute的构造函数只能使用基本类型,不能使用params 数组
- 21.热更中字典如果使用继承自主项目的类做值,不能使用tryGetValue
- 22.继承mono的,不能在构造参数设置值或者给默认值,只能在awake中
- 23.跨域继承的子类无法调用当前重载以外的虚函数,跨域继承中不能在基类的构造函数中调用该类的虚函数
- IL2CPP打包注意:
- 会自动开启代码剔除
- 使用CLR自动分析绑定可最大化避免裁剪
- 适当使用link.xml来预留接口和类型
- 尤其注意泛型方法和类型
- 影响执行效率的因素:
- 使用Debug模式编译会比Release模式编译dll慢数倍
- 编辑器内执行会比打包慢数倍
- 使用DevelopmentBuild打包出来会慢数倍
- IL2CPP的C++编译选项Release之外的其他选项也会慢
- 没有使用CLR绑定
- 没有注册值类型绑定
- 如何定位热更性能问题
- Profiler
- 由于方法是懒加载,在第一次执行的时候会读取方法有什么指令,会有额外开销,如果是性能关键的方法,可通过预热解决(Appdomain.Prewarm)
- 编辑器中每次调用热更方法会有20字节的格外gc alloc,用于断点和行号,添加DISABLE_ILRUNTIME_DEBUG宏可关闭,打包出来不影响
- 如何排查热更中的gc alloc
- Profiler
- 对比非热更情况下的开销,正常情况下热更和非热更的gc应该是一致
- clr绑定
- 值类型绑定gc开销问题
- 当你把方法中的vector3赋值给成员变量时,一定会产生gc,可以使用
```c#
void aa()
{
//field为成员变量
vector3 temp = field;
for(i = 0, i < 100, i++)
{
temp *= 2;
}
field = temp;
//只会在最后一步赋值的时候产生gc
//如果是下面这样,每一次赋值都会产生gc
for(i = 0, i < 100, i++)
{
field *= 2;
}
}
```
- 编辑器禁用调试 DISABLE_ILRUNTIME_DEBUG
- 如何使用寄存器模式
- 2.0才有
- 大幅提升数值计算性能,优化频繁调用小方法的开销
- 通过AppDomain构造函数指定运行模式
- 1.None
- 2.JITOnDemand(按需编译,如果一个方法频繁调用了多少次以上,就会认为需要走寄存器,在后台多线程会编译成寄存器模式调用)
- 3.JITImmediately(立即编译,调用所有方法都会同步编译成寄存器模式,对于有些不必要的消耗可能会增加)
- 所以一般推荐第二种
- 可通过`[ILRuntimeJIT](ILRuntimeJITFlag.JITImmediately)`对方法或一个类型下所有方法进行重载
- 如方法内无数值计算,也没有频繁调用热更内的小方法,而以调用主工程方法为主,寄存器模式无法对其进行优化,甚至有可能比常规模式略慢
- 内存占用方面优化
- 编辑器不准!在真机看
- ILR对所有类型进行了包装,基础类型长度均为12字节,无论使用byte还是short,所以配置表全部读入会占用大量内存
- 可以使用Sqlite存储配置随时取用
| 25.967033 | 84 | 0.764283 | yue_Hant | 0.885825 |
87bfd2c338e85b0c0a8dee2e637d3f13643a2bd3 | 3,820 | md | Markdown | doc/note/设计模式-模板方法模式.md | DavidSche/davidche.tools | 739578f2f92ad9cc120a0e08c30b9910efcd0033 | [
"Apache-2.0"
] | 2 | 2021-04-25T06:18:26.000Z | 2021-11-14T15:49:51.000Z | doc/note/设计模式-模板方法模式.md | DavidSche/davidche.tools | 739578f2f92ad9cc120a0e08c30b9910efcd0033 | [
"Apache-2.0"
] | null | null | null | doc/note/设计模式-模板方法模式.md | DavidSche/davidche.tools | 739578f2f92ad9cc120a0e08c30b9910efcd0033 | [
"Apache-2.0"
] | 1 | 2022-03-23T00:36:06.000Z | 2022-03-23T00:36:06.000Z | # 设计模式-模板方法模式
定义一个操作的算法骨架, 并将一些步骤延迟到子类中。模板方法使得子类可以不改变一个算法的结构即可重定义该算法的某些特定步骤。简单的说就是很多相同的步骤,只是在某一些地方有差别,那么就可以使用这种模式。
通知模板、Excel导出(表头抽象)、ArrayList、IM中消息类型的处理、通用异常处理、BaseActivity(Android)
## 1. 结构图

## 2. 通用实现
定义一个抽象模板类
```java
/**抽象模板类**/
public abstract class AbstractClass {
/**
* 定义一系列步骤的方法
*/
public void templateMethod(){
commonOperation();
operation1();
operation2();
}
private void commonOperation(){
System.out.println("共同的方法");
}
/**要求子类去实现的方法1**/
protected abstract void operation1();
/**要求子类去实现的方法2**/
protected abstract void operation2();
}
```
定义第一个具体ConcreteClassA子类
```java
public class ConcreteClassA extends AbstractClass {
@Override
protected void operation1() {
System.out.println("子类A实现的operation1方法");
}
@Override
protected void operation2() {
System.out.println("子类A实现的operation2方法");
}
}
```
定义第二个具体ConcreteClassB子类
```java
public class ConcreteClassB extends AbstractClass {
@Override
protected void operation1() {
System.out.println("子类B实现的operation1方法");
}
@Override
protected void operation2() {
System.out.println("子类B实现的operation2方法");
}
}
```
测试类TemplateTest
```java
/**
* 测试类
* @author pylxy
*
*/
public class TemplateTest {
public static void main(String[] args) {
AbstractClass ac = new ConcreteClassA();
ac.templateMethod();
ac = new ConcreteClassB();
ac.templateMethod();
}
}
```
## 3. 应用场景-支付
对接过第三方支付的小伙伴都知道,在接入第三方支付时,一般支付结果都会通过异步回调的形式,通知商户服务器。而我们得到这些数据时一般都是同一流程的处理方式:验签 — 更新订单状态 — 给第三方支付服务器响应。 下面以支付宝和微信为例:支付宝和微信的验签方式和响应结果方式都是不一样的, 而更新订单状态都是商户这边处理所以业务逻辑是一样的。

抽象模板类
```java
public abstract class AbstractPayNotifyTemplate {
/**
* 支付异步回调处理
*
* @param params 回调参数
*/
public void onNotify(Map<String, String> params) {
//验证签名
final boolean sign = verifySign(params);
if (sign) {
// 给第三方支付服务器回复支付失败状态
setResponse(PayStatus.ERROR);
return;
}
//从参数获取订单编号并更新订单支付状态,为支付成功
final String orderSn = params.get("out_trade_no");
updateOrderPayStatusSuccess(orderSn);
// 给第三方支付服务器回复支付成功状态
setResponse(PayStatus.SUCCESS);
}
/**
* 验签
*
* @param params 回调参数
* @return 验签结果
*/
protected abstract boolean verifySign(Map<String, String> params);
/**
* 更新订单支付状态为支付成功
*
* @param orderSn 订单编号
*/
private void updateOrderPayStatusSuccess(String orderSn) {
// 根据订单编号更新订单支付状态为支付成功
}
/**
* 给第三方支付返回
*
* @param status 支付状态
*/
protected abstract void setResponse(PayStatus status);
}
```
具体模板类
```java
// 支付宝支付回调类
public class AliPayNotifyTemplate extends AbstractPayNotifyTemplate {
@Override
protected boolean verifySign(Map<String, String> params) {
// 调用支付宝验签接口, 并返回验签结果
return true;
}
@Override
protected void setResponse(PayStatus status) {
String res = Objects.equals(PayStatus.SUCCESS, status) ? "success" : "error";
// 调用 ResponseUtils 直接返回 res 字符串
}
}
// 微信支付回调类
public class WxPayNotifyTemplate extends AbstractPayNotifyTemplate {
@Override
protected boolean verifySign(Map<String, String> params) {
// 调用微信支付验签接口, 并返回验签结果
return true;
}
@Override
protected void setResponse(PayStatus status) {
String returnCode = "FAIL";
String returnMsg = "";
if (Objects.equals(PayStatus.SUCCESS, status)) {
returnCode = "SUCCESS";
returnMsg = "OK";
}
String res = String.format("<xml><return_code><![CDATA[%s]]></return_code><return_msg><![CDATA[%s]]></return_msg></xml>", returnCode, returnMsg);
// 调用 ResponseUtils 返回 res xml格式内容
}
}
```
| 19.292929 | 167 | 0.656283 | yue_Hant | 0.407243 |
87c0dbdc7a9d3e106a8b265784ada898b2ea967d | 696 | md | Markdown | src/main/resources/scaffold/src/ios/splash_screens/README.md | SamYStudiO/flair-gradle-plugin | c4dcb4ee9c4fd0e34442cc564c6538c4316e951d | [
"BSD-2-Clause"
] | 22 | 2016-02-02T12:35:53.000Z | 2019-09-07T07:14:45.000Z | src/main/resources/scaffold/src/ios/splash_screens/README.md | SamYStudiO/flair-gradle-plugin | c4dcb4ee9c4fd0e34442cc564c6538c4316e951d | [
"BSD-2-Clause"
] | 6 | 2016-05-04T09:36:57.000Z | 2018-11-13T17:45:24.000Z | src/main/resources/scaffold/src/ios/splash_screens/README.md | SamYStudiO/flair-gradle-plugin | c4dcb4ee9c4fd0e34442cc564c6538c4316e951d | [
"BSD-2-Clause"
] | 4 | 2016-12-18T18:48:28.000Z | 2020-12-24T01:49:36.000Z | ### Handset splash screens
* **Default@2x** 640x960
* **Default-375w-667h@2x** 750x1334
* **Default-414w-736h@3x** 1242x2208
* **Default-568h@2x** 640x1136
* **Default-Landscape-375w-667h@2x** 1334x750
* **Default-Landscape-414w-736h@3x** 2208x1242
* **Default-Landscape-480h@2x** 960x640
* **Default-Landscape-568h@2x** 1136x640
### Tablet splash screens
* **Default-Landscape** 1024x768
* **Default-Landscape@x2** 2048x1536
* **Default-Portrait** 768x1024
* **Default-Portrait@x2** 2536x2048
You may removed corresponding splash screens if you are targeting handsets/tablets only or locking device orientation to portrait/landscape.
Splash screens template from http://appicontemplate.com/
| 33.142857 | 140 | 0.75 | yue_Hant | 0.262458 |
87c1fd6828ab9cbe33a9bf669a7d21ab0e0173d1 | 1,437 | md | Markdown | README.md | ravindrasinghh/module-aws-vpc | 3770eacf364f31611f8bec39e2be721d75c92a2d | [
"MIT"
] | null | null | null | README.md | ravindrasinghh/module-aws-vpc | 3770eacf364f31611f8bec39e2be721d75c92a2d | [
"MIT"
] | null | null | null | README.md | ravindrasinghh/module-aws-vpc | 3770eacf364f31611f8bec39e2be721d75c92a2d | [
"MIT"
] | null | null | null | # Deployment
- `terraform init` - download plugins required to deploy resources
- `terraform plan` - get detailed view of resources that will be created, deleted or replaced
- `terraform apply -auto-approve` - deploy the template without confirmation (non-interactive mode)
- `terraform destroy -auto-approve` - terminate all the resources created using this template without confirmation (non-interactive mode)
# This terraform module will deploy the following services:
- VPC
- Subnets
- Internet Gateway
- NAT Gateway
- Route Tables
- NACLs
## Providers
| Name | Version |
|------|---------|
| aws | n/a |
## Inputs
| Name | Description | Type | Default | Required |
|------|-------------|------|---------|:--------:|
| enable\_dns\_hostnames | A boolean flag to enable/disable DNS hostnames in the VPC | `bool` | n/a | yes |
| enable\_dns\_support | A boolean flag to enable/disable DNS support in the VPC | `bool` | n/a | yes |
| env | n/a | `string` | n/a | yes |
| instance\_tenancy | A tenancy option for instances launched into the VPC | `string` | `"default"` | no |
| private\_sub1\_cidr\_block | n/a | `string` | n/a | yes |
| private\_sub2\_cidr\_block | n/a | `string` | n/a | yes |
| pub\_sub1\_cidr\_block | n/a | `string` | n/a | yes |
| pub\_sub2\_cidr\_block | n/a | `string` | n/a | yes |
| region | n/a | `string` | n/a | yes |
| vpc\_cidr\_block | n/a | `string` | n/a | yes |
## Outputs
No output.
| 37.815789 | 137 | 0.64579 | eng_Latn | 0.817924 |
87c30e0c2b09802995b14e180a165697650fbe49 | 57 | md | Markdown | README.md | farhan2106/ubuntu-xvfb | c58696799f4a3b76556e387d9fe20813bf2f73fb | [
"Apache-2.0"
] | null | null | null | README.md | farhan2106/ubuntu-xvfb | c58696799f4a3b76556e387d9fe20813bf2f73fb | [
"Apache-2.0"
] | null | null | null | README.md | farhan2106/ubuntu-xvfb | c58696799f4a3b76556e387d9fe20813bf2f73fb | [
"Apache-2.0"
] | null | null | null | # ubuntu-xvfb
A docker image to run xvfb stuff on ubuntu
| 19 | 42 | 0.77193 | eng_Latn | 0.559776 |
87c3486ec0da8b42fcee63c7b62d85d80ee080f0 | 8,044 | md | Markdown | first/note/hoge.md | kokoichi206/robot_system | b84c0af0d1e88c773a2e37deae407035670df5b3 | [
"MIT"
] | null | null | null | first/note/hoge.md | kokoichi206/robot_system | b84c0af0d1e88c773a2e37deae407035670df5b3 | [
"MIT"
] | null | null | null | first/note/hoge.md | kokoichi206/robot_system | b84c0af0d1e88c773a2e37deae407035670df5b3 | [
"MIT"
] | null | null | null | name: inverse
layout: true
class: center, middle, inverse
---
## 開発における手っ取り早さの実現
プラットフォームの存在
- ハード:PC、Raspberry Pi、Arduino
- ソフト:UNIX、Linux
- サービス:GitHub
- ロボット:TurtleBot、Cart-mini、HSR、
---
layout:false
## Raspberry Pi
シングルボードコンピュータ
性能というよりもプラットフォームとして非常に優秀
イギリスで開発された教育用のシングルボードコンピュータ
安価でハードの制御ができるような目的、2009-
2016に1000万台販売
## Install Ubuntu on Raspberry Pi
ubuntu Raspberry pi と Etcherを利用
## ipアドレス
```
ip a
```
192.168.3.7 がラズパイのIPアドレス
他のPCからアクセスする方法
```
ssh ubuntu@192.168.3.7
=> pw: hogehoge
```
画面真っ暗になっても、メモリ->SSD間で書き込みをしてるため、すぐは切らない!!
通信できてるかチェック
```
ping 192.168.3.7
```
## GPIOピン
40ピン存在する。
General purpose input output
## PC spec
```
cat /proc/cpuinfo | less
-> j,k
free
ls /dev/mmcblk0*
uname
cat /etc/lsb-release
ps
ps aux (全プロセス)([]は実はプロセスじゃない)
top
pstree
pstree -a
```
## Linuxの世界
2大重要事項
- データは全て「ファイル」で保存される
- プログラムは「プロセス」単位で動く
その他
- ファイルもプロセスも木構造で管理されている
### apt
APT, Advanced Packaging Tool
### command
```
ls /bin/ | grep ls
echo unko | rev | grep -o .
find aaa
grep ubuntu /etc/passwd
find /
find / | less
find / | grep passwd
'/passwd$'
cat /etc/services | grep '[^0-9]80/'
cat /etc/services | grep -C1 '[^0-9]80/'
```
通信系
ping、通信先にパケットが届くか確認する
```
ping www.yahoo.co.jp
ping 8.8.8.8 (google)
ip addr show
traceroute 8.8.8.8
```
マシン間でファイルをコピー!
srp,rsync(バックアップ)
```
scp record_weight.sh ubuntu@192.168.3.7:~/
rsync -av ./scraping/ ubuntu@192.168.3.7
```
***
## Git
バージョン管理システム
Linus Torvalds が作成
- Linusさんぶちぎれがち。
- 有料化にキレて2週間でGit作った。
初期設定
```
git config --global user.name "mi"
git config --global user.email "tt.300607@gmail.com"
git config --global core.editor vim
cat .gitconfig
```
## GitHub
Gitを利用したサービス
「リポジトリ」のホスティングと公開、コミュニケーション
```
git clone https://github.com/kokoichi206/robot_system.git
git add -A
git status
git commit -m "Add a note"
git push
```
### ブランチ
第3回の授業
- ディレクトリの中の状態を分岐したもの
```
git branch
git checkout -b dev
git checkout main
```
うまくいったブランチをmainにしたい
```
git merge dev
```
ローカルを最新のgitにしたい
```
git pull
```
### コミットログ
git commit
->
1行目に変更点を動詞で
3行目に理由を
### GitHub Pages
- [公開のための参考サイト](https://qiita.com/tonkotsuboy_com/items/f98667b89228b98bc096)
- [一例](https://kokoichi206.github.io/robot_system/)
### 他の用語
- フォーク
- 他人のリポジトリを自分のところに持って来る
- プルリクエスト
- リポジトリの持ち主に修正したものを取り組んでもらう
- コンフリクト(push-rejected-pull-solve conflict でOK?)
- git push は rejectedされる
- git pull すると複合されたファイルが生成される
- 前のバージョンに戻りたい!
- git checkout 7cbb04c
---
## Linux
### OS
- ハードウェアの複雑さを隠すためのソフトウェア階層
- ハードウェアをイジる人間には邪魔かもしれない
- 仕事
- 抽象化:機械の世界から情報処理の世界へ
- 資源(リソース)管理
- 次々にくる「計算機(とその周辺機器)を使いたいという要求」をいかに捌くか
### Linux/Unix
#### なんでもファイルである
特殊な(?)ファイル
- 乱数発生器 /dev/random
- ゴミ捨て場 /dev/null
- ひたすら0x00を吐く /dev/zero
- ハードディスクの空部分に0を書き込んで圧縮率高める
- 安全に消去する
#### プロセス
- OSがある = 複数のプログラムが実行可能
- OSなしのマイコン制御 = 1度に1つのプログラムだけ実行
#### Unix
- オープンソースの走り
- 当時AT&Tはコンピュータで商売できない
- そこでコードを配布
- 企業、研究機関、教育機関に広まる
- バグのレポートや修正
- 使えるソフトの増加
#### Unix 以後
- 1984年AT&T商売解禁
- 「Unix戦争」が始まる
- 余波:配布されたUnixから様々な亜種が誕生
- Unix 系 OSと呼ばれるもの
- ソースコードの流用
- 機能 の再現
#### [Unix 系OS](https://ja.wikipedia.org/wiki/%E3%83%95%E3%82%A1%E3%82%A4%E3%83%AB:Unix_history-simple.svg)
- Unix直系。大雑把にSystem V 系とBSD系
- MINIX,Linux: Unixのコードを含まないが動作はUnix
#### Linux
- ヘルシキンキ大学時代、引きこもって開発
- メーリングリストで助言、協力を得ながらゼロから開発
- バザール方式
- [「伽藍(がらん)とバザール」](https://ja.wikipedia.org/wiki/%E4%BC%BD%E8%97%8D%E3%81%A8%E3%83%90%E3%82%B6%E3%83%BC%E3%83%AB)
- 広まった理由
- ゼロから開発したことで制約が少ない
- 協力者が多い
- 上からしゃしゃり出てくる人(老害)がいないと成功する(メーリングリストがよかった)
- タイミング(PCの普及、Microsoftの影響、ライセンスの問題)
#### Linuxの構成
```
ls /boot/
```
- Linuxの構成
- Linuxカーネル(OS本体)
- 付属のソフトウェア
- 三大系統
- Red Hat 系
- ビジネス用途でシェア
- slackware 系
- debian 系
- Ubuntu,Raspbian
- ソフトウェアの亜種の発生は技術そのものよりも社会的な理由から
- 著作権やライセンスに詳しくないと、このへんは理解不可能
<span style="font-size: 150%; color: red; ">何を使って世に何をするのか、社会的な視点を</span>
------
## プロセス
- プログラム実行の一単位
- プロセスID、ユーザ、親プロセス
- 普段はps(1)やtop(1)で調査
- CPUやメモリ使用料、ゴミプロセスがないか調査
### ps
- $ ps aux
- VSZ: 仮想メモリのサイズ, RSS: (実際に)使用している物理メモリ量, STAT: プロセスの状態, START: 起動した時間, TIME: 使ったCPU時間,
- STATの意味
- R: Run, S: Sleep, D: Disk Sleep, T: Stopped, Z: Zombie, +: forground, <: high priority, s: session leader
```
ps aux | head
ps aux | awk '$7!="?"'
ps aux | awk '$8~/+/'
```
- $ top -c
- PR: 優先度, NI: nice値, VIRT: 仮想メモリ使用量, RES: 物理メモリ使用量, SHR: 共有メモリ使用量, S: プロセスの状態,
### カーネルからみたプロセス
- リソースを割り当てるー単位
- 番号を付けて管理
- プロセスに対する仕事
- 生成と消去(メモリの割り当て)
- CPUの利用時間の管理(タイムシェアリング)
- プログラムが自身のプロセス外のメモリを参照しないよう保護
- 仮想アドレス空間
```
$ pstree
```
### forkとプロセスの親子関係
- fork: あるプロセスがふたつに分裂する仕組み
- あるプロセスがforkすると、プロセス番号を除いて全く同じプロセスがふたつ同時に走るようになる
- fork後のプロセス番号
- 一方は元のプロセス番号(親)
- もう一方は新たなプロセス番号をもらう(子)
チェックするプログラム、fork_sample.c
forkによるプロセスの分裂を確認できる。
```
./a.out
ps
```
### PC止まらせるコマンド
```
:(){:|:&;};:
```
:で関数を作って、それをパイプで2つ処理して、&でバックグラウンド処理におとす。さらに最後に:の関数を実行すると、関数呼び出しが倍々で増えて、プロセスが増えまくってフリーズする
### exec
システムコール
- プロセスの中身が他のプログラムに変わる仕組み
- 次のプログラムはexec sleep 100の瞬間にsleepに化ける
```
#!/bin/bash
echo bashです
sleep 10
exec sleep 100 # このプロセス自体がsleepになる
echo これは実行されない:
```
exec の前後で psをみる
### シェルがコマンドを実行できる仕組み
[ここの40分くらい](https://www.youtube.com/watch?v=twBoOez02w0&list=PLbUh9y6MXvjdIB5A9uhrZVrhAaXc61Pzz&index=8)。すごい参考になる。
- forkとexecを組み合わせる
1. シェル自体がforkする
2. このプロセスがexecを実行してコマンドに化ける
- 何が便利か?
- コマンドの入出力が端末に出てくる
- 端末の入出力の口がforkでコピーされて共有されている。
- 環境が引き継がれる
- シェルが日本語環境だとコマンドも日本語環境で動く
- 考慮しておくべき点
- コマンドを立ち上げるたびにシェルがコピーされる
### forkとパイプ
- シェルが自分に入出力する口を作ってforkするという処理を繰り返していく
- コマンドが数珠つなぎに

### プロセスとメモリ
- うロセスは基本的に他のプロセスが使っているメモリの中身をみることができない
- みることができたら事故
- プロセス間でメモリが見えないようにする仕組み: 仮想記憶
### 仮想記憶(ページング方式)
- アドレス空間を2種類用意
- 物理アドレス空間(DRAMやその他を直接さす)
- 仮想アドレス空間(プロセスごとに準備)
- アドレス空間を「ページ」に分割
- 仮想のページと物理ページを対応付け

### 仮想記憶で可能となること
- fork後も参照しているアドレスが変わらない
- 別のプロセスのメモリ番地が見えない
- lazyな物理メモリ割り当て
- プログラムが割り当てのないページの番地にアクセスした時に、物理メモリのページを割り当て
- スワップ
- メモリが不足時にページ上のデータをストレージ上のページに追い出せる(スワップアウト)
- キャッシュの管理が簡単に
- プロセスが使用していない物理メモリのページに書き込みしたファイルのデータを記憶
- キャッシュが有効だとHDDの読み書き回数を減らすことができる
- 書き込みも、一旦キャッシュで行われて、busyじゃないときにこっそり書き込まれる
- このシステムのために、メモリはとにかく沢山積むのがよい笑
### jobs
```
sleep 1000 -> ctrl + Z
sleep &
jobs
fg 2
ps
kill ..
```
### シグナル
- プロセス間通信の一種
- あるプロセスから他のプロセスへの「合図」
- シグナルの一覧
- $ kill -l
- killコマンドで送ることができる
- $ kill -KILL 12345 #SIGKILLをPID12345に
- $ kill 12345 #SIGTERMをPID12345に
- $ kill -INT 12345
### 主なシグナル
- SIGHUP(1番)
- HUP: ハングアップ(電話の切断)
- 使われ方
- 端末が切れた時に関連するプロセスを止める
- SIGINT(2番)
- INT: interrupt(割り込み)
- 使われ方
- 端末でCtrl+cを押したときに端末からセッショングループのフォアグラウンドプロセスに送られる
- SIGKILL(9番)
- プロセスを強制終了するときに使われる
- プログラム側で後始末できない
- 後始末はカーネルに任せる
- SIGSEGV(11番)
- メモリのセグメンテーションフォルト
- SIGPIPE(13番)
- 読み書きしていたパイプの切断
- $ seq 1000 | head
- SIGTERM(15番)
- 終わってくれてというシグナル。プログラムは速やかに終わらないといけない。
### 終了ステータス
- プロセスが終わる時に親に返す番号
- C言語野C++でプログラミングするときにreturn 0 とかexit(0)書いてあるアレ
- echo $? あるいは echo ${PIPESTATUS[@]} で確認
- デカい数字の終了ステータスは、SIGなんとかの番号にある数字(128)を足したもの
## やりたいこと
- /etc/vim をいじる
- vimtutor
- markdown + reveal.js でスライドを作る
- gitのテストサイト
## 疑問点
- ファイルのキャッシュってオンラインでも起こる?
| 19.336538 | 119 | 0.623943 | yue_Hant | 0.584001 |
87c38b53044609cd72e48bac8238e3725db3eba2 | 8,271 | md | Markdown | 2020.11 vue/2020.11.10/README.md | LiJiaQi1232/2020-LiJiaQi | d49da7c8983899bf0798a7088c1558b6bfd0c72c | [
"MIT"
] | null | null | null | 2020.11 vue/2020.11.10/README.md | LiJiaQi1232/2020-LiJiaQi | d49da7c8983899bf0798a7088c1558b6bfd0c72c | [
"MIT"
] | null | null | null | 2020.11 vue/2020.11.10/README.md | LiJiaQi1232/2020-LiJiaQi | d49da7c8983899bf0798a7088c1558b6bfd0c72c | [
"MIT"
] | null | null | null | # day19
## Vue动画
Vue 提供了一些抽象概念,可以帮助处理过渡和动画,特别是在响应某些变化时。这些抽象的概念包括:
在 CSS 和 JS 中,使用内置的 `<transition>` 组件来钩住组件中进入和离开 DOM。
过渡模式,以便你在过渡期间编排顺序。
在处理多个元素位置更新时,使用 `<transition-group>` 组件,通过 FLIP 技术来提高性能。
使用 watchers 来处理应用中不同状态的过渡。
### 过渡和动画
#### 概念
过渡: 顾名思义,从一个状态向另外一个状态的过程,新的状态替换另旧的状态。说白了就是过渡
动画: 就是能经历很多状态阶段产生的效果。
#### transition标签

| 过渡类型 | 说明 |
| -------------- | ------------------------------------ |
| v-enter-from | 定义进入过渡的开始状态.在元素被插入之前生效,在元素被插入之后的下一帧移除 |
| v-enter-active | 定义进入过渡生效时的状态.在整个进入过渡的阶段中应用,在元素被插入之前生效,在过渡/动画完成之后移除。这个类可以被用来定义进入过渡的过程时间,延迟和曲线函数 |
| v-enter-to | 定义进入过渡的结束状态.在元素被插入之后下一帧生效 (与此同时 v-enter-from 被移除),在过渡/动画完成之后移除 |
| v-leave-from | 定义离开过渡的开始状态.在离开过渡被触发时立刻生效,下一帧被移除 |
| v-leave-active | 定义离开过渡生效时的状态.在整个离开过渡的阶段中应用,在离开过渡被触发时立刻生效,在过渡/动画完成之后移除。这个类可以被用来定义离开过渡的过程时间,延迟和曲线函数|
| v-leave-to | 离开过渡的结束状态.在离开过渡被触发之后下一帧生效 (与此同时 v-leave-from 被删除),在过渡/动画完成之后移除 |
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
.chart {
width: 200px;
height: 50px;
background-color: hotpink;
}
/* 进入和离开的整个过程 */
.v-enter-active,
.v-leave-active {
transition: width 3s;
}
/* 进入初始状态和离开的结束状态 */
.v-enter,
.v-leave-to {
width: 0px;
}
/* 进入的结束状态和离开的开始状态 */
.v-enter-to,
.v-leave {
width: 200px;
}
</style>
</head>
<body>
<div id="app">
<button @click="toggle">改变图形宽度</button>
<hr>
<transition>
<!-- 设定新增过渡的div标签 -->
<div class="chart" v-if="show"></div>
</transition>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data() {
return {
show: false
}
},
methods: {
toggle() {
this.show = !this.show;
}
}
}).mount('#app');
</script>
</body>
</html>
```
#### 自定义类名
对于这些在过渡中切换的类名来说,如果你使用一个没有名字的 `<transition>`,则 v- 是这些class名的默认前缀。如果你使用了 `<transition name="box">`,那么 v-enter-from会替换为 box-enter-from。
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
.chart{
width: 200px;
height: 50px;
background-color: hotpink;
}
/* 进入和离开的整个过程 */
.box-enter-active,
.box-leave-active {
transition: width 3s;
}
/* 进入初始状态和离开的结束状态 */
.box-enter,
.box-leave-to {
width: 0px;
}
/* 进入的结束状态和离开的开始状态 */
.box-enter-to,
.box-leave {
width: 200px;
}
</style>
</head>
<body>
<div id="app">
<button @click="toggle">改变图形宽度</button>
<hr>
<transition name="box">
<!-- 设定新增过渡的div标签 -->
<div class="chart" v-if="show"></div>
</transition>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data(){
return {
show: true
}
},
methods: {
toggle(){
this.show = !this.show;
}
}
}).mount('#app');
</script>
</body>
</html>
```
#### @keyframes创建CSS动画
CSS 动画用法同 CSS 过渡,区别是在动画中 v-enter-from 类名在节点插入 DOM 后不会立即删除,而是在 animationend 事件触发时删除。
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
.chart {
position: absolute;
top: 50%;
left: 50%;
margin-left: -100px;
margin-top: -25px;
width: 200px;
height: 50px;
background-color: hotpink;
}
/* 进入和离开的整个过程 */
@keyframes bac {
0% {
transform: scale(1);
background-color: hotpink;
}
50% {
transform: scale(5);
background-color: red;
}
100% {
transform: scale(1);
background-color: hotpink;
}
}
.box-enter-active,
.box-leave-active {
transition: width 3s;
animation: bac 3s;
}
/* 进入初始状态和离开的结束状态 */
.box-enter-from,
.box-leave-to {
/* width: 0px;
height: 0px; */
}
/* 进入的结束状态和离开的开始状态 */
.box-enter-to,
.box-leave-from {
width: 200px;
height: 50px;
}
</style>
</head>
<body>
<div id="app">
<button @click="toggle">改变图形宽度</button>
<hr>
<transition name="box">
<!-- 设定新增过渡的div标签 -->
<div class="chart" v-if="show"></div>
</transition>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data() {
return {
show: true
}
},
methods: {
toggle() {
this.show = !this.show;
}
}
}).mount('#app');
</script>
</body>
</html>
```
### 多个元素过渡
#### 不同标签元素过渡
不同标签元素可以使用 v-if 和 v- else 进行过渡
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
.fade-enter,.fade-leave-to{
opacity: 0;
}
.fade-enter-active,.fade-leave-active{
transition: opacity .5s;
}
</style>
</head>
<body>
<div id="app">
<transition name="fade">
<ul v-if="items.length > 0">
<li>小明</li>
<li>小红</li>
</ul>
<p v-else>抱歉,没有找到哦~</p>
</transition>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data() {
return {
items:[1,2,3,4]
}
},
mounted(){
let that =this;
setTimeout(function(){
that.items.length =0;
},5000)
}
}).mount('#app');
</script>
</body>
</html>
```
#### 相同标签元素过渡
当有相同标签的元素切换时,需要通过 key 特性设置唯一值来标记。
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
/* 进入和离开的整个过程 */
.v-enter-active,
.v-leave-active {
transition: all 0.5s;
}
/* 进入初始状态和离开的结束状态 */
.v-enter,
.v-leave-to {
/* width: 0px; */
opacity: 0;
}
/* 进入的结束状态和离开的开始状态 */
.v-enter-to,
.v-leave {
/* width: 200px; */
opacity: 1
}
</style>
</head>
<body>
<div id="app">
<button @click="saving=!saving">切换编辑或保存</button>
<transition >
<button v-if="saving" key="save">保存</button>
<button v-else key="edit"> 编辑</button>
</transition>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data() {
return {
saving: true
}
}
}).mount('#app');
</script>
</body>
</html>
```
### 多个组件过渡
### 列表过渡
#### 列表的增删过渡
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
.list-item {
display: inline-block;
margin-right: 20px;
background-color: hotpink;
border-radius: 50%;
width: 30px;
height: 30px;
text-align: center;
line-height: 30px;
color: #fff;
}
.list-enter-active,
.list-leave-active {
transition: all 1s;
}
.list-enter,
.list-leave-to {
opacity: 0;
transform: translateY(30px);
}
</style>
</head>
<body>
<div id="app">
<button @click="remove">随机移除一个数字</button>
<transition-group name="list" tag="p">
<span v-for="item in items" :key="item" class="list-item">{{item}}</span>
</transition-group>
</div>
<script src="./lib/vue-3.0.0.js"></script>
<script>
let app = Vue.createApp({
data() {
return {
items: [1, 2, 3, 4, 5],
netNum: 6
}
},
methods: {
randomindex() {
return Math.floor(Math.random() * this.items.length)
},
remove() {
this.items.splice(this.randomindex(), 1)
}
}
}).mount('#app');
</script>
</body>
</html>
```
#### 列表的交错过渡
## 参考资料
> https://zhuanlan.zhihu.com/p/213725388 | 18.670429 | 132 | 0.53875 | yue_Hant | 0.276839 |
87c417abbae70311e406bd10c2827cf2399ffb00 | 3,750 | md | Markdown | articles/container-registry/container-registry-storage.md | alphasteff/azure-docs.de-de | 02eeb9683bf15b9af28e7fd5bbd438779cf33719 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/container-registry/container-registry-storage.md | alphasteff/azure-docs.de-de | 02eeb9683bf15b9af28e7fd5bbd438779cf33719 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/container-registry/container-registry-storage.md | alphasteff/azure-docs.de-de | 02eeb9683bf15b9af28e7fd5bbd438779cf33719 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Speichern von Images in Azure Container Registry
description: Details darüber, wie Ihre Docker-Containerimages in Azure Container Registry gespeichert werden, sowie über Sicherheit, Redundanz und Kapazität.
services: container-registry
author: dlepow
manager: gwallace
ms.service: container-registry
ms.topic: article
ms.date: 03/21/2018
ms.author: danlep
ms.openlocfilehash: 4517cc21ca0087358e750cd480288d4ec3718791
ms.sourcegitcommit: f5075cffb60128360a9e2e0a538a29652b409af9
ms.translationtype: HT
ms.contentlocale: de-DE
ms.lasthandoff: 07/18/2019
ms.locfileid: "68310533"
---
# <a name="container-image-storage-in-azure-container-registry"></a>Speichern von Containerimages in Azure Container Registry
Jede Azure Container Registry vom Typ [Basic, Standard und Premium](container-registry-skus.md) profitiert von erweiterten Azure-Speicherfunktionen wie Verschlüsselung ruhender Daten für die Imagedatensicherheit und Georedundanz für den Imagedatenschutz. Die folgenden Abschnitte beschreiben sowohl die Funktionen als auch die Imagespeichergrenzen in Azure Container Registry (ACR).
## <a name="encryption-at-rest"></a>Verschlüsselung ruhender Daten
Alle Containerimages in Ihrer Registrierung werden im Ruhezustand verschlüsselt. Azure verschlüsselt ein Image automatisch, bevor es gespeichert wird, und entschlüsselt es dynamisch, sobald Sie oder Ihre Anwendungen und Dienste einen Pull für das Image ausführen.
## <a name="geo-redundant-storage"></a>Georedundanter Speicher
Azure verwendet ein georedundantes Speicherschema, um den Verlust Ihrer Containerimages zu verhindern. Azure Container Registry repliziert die Containerimages automatisch in mehrere geografisch entfernte Rechenzentren und verhindert deren Verlust im Falle eines regionalen Speicherausfalls.
## <a name="geo-replication"></a>Georeplikation
Für Szenarien, die eine noch zuverlässigere Hochverfügbarkeit erfordern, sollten Sie das Feature [Georeplikation](container-registry-geo-replication.md) der Premium-Registrierungen nutzen. Die Georeplikation schützt vor dem Verlust des Zugriffs auf Ihre Registrierung im Falle eines *Totalausfalls* der Region, nicht nur eines Speicherausfalls. Zudem bietet die Georeplikation weitere Vorteile, wie z.B. netzwerknahe Imagespeicher für schnellere Push- und Pullvorgänge in verteilten Entwicklungs- oder Bereitstellungsszenarien.
## <a name="image-limits"></a>Imagegrenzen
Die folgende Tabelle beschreibt das Containerimage und die Speichergrenzen für Azure-Containerregistrierungen.
| Resource | Begrenzung |
| -------- | :---- |
| Repositorys | Keine Begrenzung |
| Bilder | Keine Begrenzung |
| Ebenen | Keine Begrenzung |
| `Tags` | Keine Begrenzung|
| Storage | 5 TB |
Eine hohe Anzahl von Repositorys und Tags können die Leistung Ihrer Registrierung beeinträchtigen. Löschen Sie regelmäßig unbenutzte Repositorys, Tags und Images als Teil der Wartungsroutine für Ihre Registrierung. Gelöschte Registrierungsressourcen wie Repositorys, Images und Tags können nach dem Löschen *nicht* wiederhergestellt werden. Weitere Informationen zum Löschen von Registrierungsressourcen finden Sie unter [Löschen von Containerimages in Azure Container Registry](container-registry-delete.md).
## <a name="storage-cost"></a>Speicherkosten
Ausführliche Informationen zu den Preisen finden Sie unter [Containerregistrierung – Preise][pricing].
## <a name="next-steps"></a>Nächste Schritte
Weitere Informationen zu den verschiedenen Azure Container Registry-SKUs (Basic, Standard, Premium) finden Sie unter den [Azure Container Registry-SKUs](container-registry-skus.md).
<!-- IMAGES -->
<!-- LINKS - External -->
[portal]: https://portal.azure.com
[pricing]: https://aka.ms/acr/pricing
<!-- LINKS - Internal -->
| 59.52381 | 527 | 0.8112 | deu_Latn | 0.981761 |
87c44405e9f6b93a9089fe1cb418784a59f36fe8 | 5,476 | md | Markdown | articles/hdinsight/hadoop/troubleshoot-lost-key-vault-access.md | ialeksander1/azure-docs.pt-br | d5a7a2c2d4a31282f49bd1e35036cb1939911974 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/hdinsight/hadoop/troubleshoot-lost-key-vault-access.md | ialeksander1/azure-docs.pt-br | d5a7a2c2d4a31282f49bd1e35036cb1939911974 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/hdinsight/hadoop/troubleshoot-lost-key-vault-access.md | ialeksander1/azure-docs.pt-br | d5a7a2c2d4a31282f49bd1e35036cb1939911974 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Clusters Azure HDInsight com criptografia de disco perdem acesso ao Key Vault
description: Solução de problemas e possíveis resoluções para problemas ao interagir com clusters Azure HDInsight.
author: hrasheed-msft
ms.author: hrasheed
ms.reviewer: jasonh
ms.service: hdinsight
ms.topic: troubleshooting
ms.date: 01/30/2020
ms.openlocfilehash: b1d941fbf86d453a56a5157ed988a32173c614fc
ms.sourcegitcommit: b55d7c87dc645d8e5eb1e8f05f5afa38d7574846
ms.translationtype: MT
ms.contentlocale: pt-BR
ms.lasthandoff: 04/16/2020
ms.locfileid: "81461524"
---
# <a name="scenario-azure-hdinsight-clusters-with-disk-encryption-lose-key-vault-access"></a>Cenário: Clusters Azure HDInsight com criptografia de disco perdem acesso ao Key Vault
Este artigo descreve etapas de solução de problemas e possíveis resoluções para problemas ao interagir com clusters Azure HDInsight.
## <a name="issue"></a>Problema
O alerta `The HDInsight cluster is unable to access the key for BYOK encryption at rest`do Resource Health Center (RHC) é mostrado para clusters Bring Your Own Key (BYOK) onde os nós de cluster perderam o acesso aos clientes Key Vault (KV). Alertas semelhantes também podem ser vistos na UI Apache Ambari.
## <a name="cause"></a>Causa
O alerta garante que o KV esteja acessível a partir dos nós de cluster, garantindo assim a conexão de rede, a saúde do KV e a política de acesso para o usuário atribuído identidade gerenciada. Este alerta é apenas um aviso de desligamento iminente do corretor nas reinicializações subseqüentes do nó, o cluster continua funcionando até que os nódulos reiniciem.
Navegue até a UI Apache Ambari para encontrar mais informações sobre o alerta do **Disk Encryption Key Vault Status**. Este alerta terá detalhes sobre o motivo da falha na verificação.
## <a name="resolution"></a>Resolução
### <a name="kvaad-outage"></a>Paralisação kv/AAD
Veja [a disponibilidade e a redundância do Azure Key Vault e](../../key-vault/general/disaster-recovery-guidance.md) a página de status do Azure para obter mais detalheshttps://status.azure.com/
### <a name="kv-accidental-deletion"></a>Exclusão acidental kv
* Restaurar a chave excluída no KV para recuperar automaticamente. Para obter mais informações, consulte [Recuperar chave excluída](https://docs.microsoft.com/rest/api/keyvault/recoverdeletedkey).
* Entre em contato com a equipe kv para se recuperar de exclusões acidentais.
### <a name="kv-access-policy-changed"></a>A política de acesso kv alterada
Restaurar as políticas de acesso para o usuário atribuído identidade gerenciada que é atribuída ao cluster HDI para acessar o KV.
### <a name="key-permitted-operations"></a>Principais operações permitidas
Para cada tecla em KV, você pode escolher o conjunto de operações permitidas. Certifique-se de que você tenha operações de envoltório e desembrulhar ativadas para a tecla BYOK
### <a name="expired-key"></a>Chave expirada
Se o vencimento tiver passado e a tecla não for girada, restaure a chave do HSM de backup ou entre em contato com a equipe da KV para limpar a data de validade.
### <a name="kv-firewall-blocking-access"></a>Firewall KV bloqueando o acesso
Corrija as configurações de firewall KV para permitir que os nós de cluster BYOK acessem o KV.
### <a name="nsg-rules-on-virtual-network-blocking-access"></a>Regras do NSG sobre o acesso de bloqueio de rede virtual
Verifique as regras do NSG associadas à rede virtual anexada ao cluster.
## <a name="mitigation-and-prevention-steps"></a>Medidas de mitigação e prevenção
### <a name="kv-accidental-deletion"></a>Exclusão acidental kv
* Configure o cofre de chaves com [o conjunto de bloqueio de recursos](../../azure-resource-manager/management/lock-resources.md).
* Fazer backup das teclas do módulo de segurança de hardware.
### <a name="key-deletion"></a>Exclusão da chave
O cluster deve ser excluído antes da exclusão da tecla.
### <a name="kv-access-policy-changed"></a>A política de acesso kv alterada
Audite e teste regularmente as políticas de acesso.
### <a name="expired-key"></a>Chave expirada
* Afaste as chaves do seu HSM.
* Use uma chave sem qualquer conjunto de expiração.
* Se o vencimento precisar ser definido, gire as teclas antes da data de validade.
## <a name="next-steps"></a>Próximas etapas
Se você não encontrou seu problema ou não conseguiu resolver seu problema, visite um dos seguintes canais para obter mais suporte:
* Obtenha respostas de especialistas do Azure através [do Azure Community Support](https://azure.microsoft.com/support/community/).
* Conecte-se com [@AzureSupport](https://twitter.com/azuresupport) - a conta oficial do Microsoft Azure para melhorar a experiência do cliente. Conectando a comunidade Azure aos recursos certos: respostas, suporte e especialistas.
* Se você precisar de mais ajuda, você pode enviar uma solicitação de suporte do [portal Azure](https://portal.azure.com/?#blade/Microsoft_Azure_Support/HelpAndSupportBlade/). Selecione **Suporte** na barra de menus ou abra o centro **de suporte Ajuda +.** Para obter informações mais [detalhadas, consulte Como criar uma solicitação de suporte ao Azure](https://docs.microsoft.com/azure/azure-supportability/how-to-create-azure-support-request). O acesso ao gerenciamento de assinaturas e suporte ao faturamento está incluído na assinatura do Microsoft Azure, e o suporte técnico é fornecido através de um dos Planos de Suporte do [Azure](https://azure.microsoft.com/support/plans/).
| 59.521739 | 684 | 0.783784 | por_Latn | 0.996106 |
87c491b2332786cad0f2710fb09c94184733b461 | 86 | md | Markdown | README.md | RFelixRocha/OficinaAppMobile | ebf50c5fa0126324d96bfab5699d376ede733fe1 | [
"MIT"
] | null | null | null | README.md | RFelixRocha/OficinaAppMobile | ebf50c5fa0126324d96bfab5699d376ede733fe1 | [
"MIT"
] | null | null | null | README.md | RFelixRocha/OficinaAppMobile | ebf50c5fa0126324d96bfab5699d376ede733fe1 | [
"MIT"
] | null | null | null | # OficinaAppMobile
Esse um app para ser apresentado como trabalho final de fábrica 3.
| 28.666667 | 66 | 0.813953 | por_Latn | 0.999638 |
87c4cf37161f9019b1f020e28661c72eae148a5e | 2,873 | md | Markdown | out/2529.md | yshalsager/dorar-history-encyclopedia | 3b6f19ebce2cc522f64d53cfca3141027ed59595 | [
"MIT"
] | null | null | null | out/2529.md | yshalsager/dorar-history-encyclopedia | 3b6f19ebce2cc522f64d53cfca3141027ed59595 | [
"MIT"
] | null | null | null | out/2529.md | yshalsager/dorar-history-encyclopedia | 3b6f19ebce2cc522f64d53cfca3141027ed59595 | [
"MIT"
] | null | null | null | <h1 dir="rtl">وفاة الملك الأشرف صاحب دمشق وملك أخيه بعده .</h1>
<h5 dir="rtl">العام الهجري: 635
الشهر القمري: محرم
العام الميلادي: 1237</h5>
<p dir="rtl">هو أبو الفتح موسى بن الملك العادل سيف الدين أبي بكر بن أيوب، الملقب بالملك الأشرف مظفر الدين. ولد سنة 576، بالديار المصرية بالقاهرة، وقيل بقلعة الكرك, ونشأ بالقُدس الشريف بكفالة الأمير فخر الدين عثمان الزنجاري، وكان أبوه يحبه، وكذلك أخوه المعظَّم, مليحَ الهيئة، حلو الشمائل، وكان فيه دينٌ وخوف من الله وفضيلة، على لَعِبِه, وعكوف على الملاهي- عفا الله عنه - وكان جوادًا سمحًا فارسًا شجاعًا. وكان يبالغ في الخضوع للفقراء ويزورهم ويعطيهم، ويجيز على الشعر، ويبعث في رمضان بالحلاوات إلى أماكن الفقراء. كان محبوبًا إلى الناس مسعودًا مؤيَّدًا في الحروب، قيل: ما هُزِمَت له راية, لقِيَ نور الدين أرسلان شاه صاحب الموصل، وكان من الملوك المشاهير الكبار، وتواقعا في مصافَّ فكَسَره الأشرف، وذلك سنة 600, وله فهمٌ وذكاء وسياسة, وهو باني دار الحديث الأشرفية، وجامع التوبة، وجامع جراح، وكان قد بنى دار حديث بالسفح وبالمدينة للشافعية أخرى، ونقل إليها كتبًا سَنيَّة نفيسة، وبنى جامع التوبة بالعقبية، والذي كان محله خانًا للزنجاري فيه من منكرات كثير، وبنى مسجِدَ القصب وجامع جراح ومسجد دار السعادة, وقد استنابه أبوه على مدن كثيرة بالجزيرة، منها الرها وحران، ثم اتسعت مملكته حين ملك خلاط وميافارقين، وبسط العدل على الناس وأحسن إليهم إحسانًا لم يعهدوه ممَّن كان قبله، وعَظُمَ وَقعُه في قلوب الناس، وبَعُدَ صِيتُه، ثم ملك نصيبين وسنجار ومعظم بلاد الجزيرة. لَمَّا أخذت الفرنج دمياط سنة 616 تأخَّر عن إنجاد أخيه الملك الكامل؛ لِمنافرةٍ كانت بينهما، فجاءه أخوه الملك المعظَّم وأرضاه، ولم يزل يلاطفه حتى استصحبه معه، فصادف عقيبَ وُصولِه إلى مصر بأشهر انتصار المسلمين على الفرنج وانتزاع دمياط من أيديهم، وكانوا يرَون ذلك بسبب يُمن غرة الأشرف, ولما مات الملك المعظم سنة 624 قام بالأمر بعده ولده الملك الناصر داود، فقصده عمه الملك الكامل من الديار المصرية ليأخُذَ دمشق منه، فاستنجد بعَمِّه الملك الأشرف، فوصل إليه، واجتمع به في دمشق، ثم توجَّه إلى الكامل واتفقا على أخذ دمشق من الناصر وتسليمها إلى الأشرف، ويبقى للناصر الكرك والشوبك ونابلس وبيسان وتلك النواحي، وينزل الأشرفُ عن حران والرها وسروج والرقة ورأس عين، ويسَلِّمها إلى الكامل، فاستتب الحالُ على ذلك, وانتقل الأشرف إلى دمشق واتخذها دارَ إقامة وأعرض عن بقية البلاد، ولَمَّا ملك الأشرف دمشق في سنة 626 نادى مناديه فيها أن لا يشتغل أحد من الفقهاء بشيء من العلوم سوى التفسير والحديث والفقه، ومن اشتغل بالمنطقِ وعلوم الأوائل نفي من البلد، وكان البلد به في غاية الأمن والعدل، توفِّيَ الأشرف يوم الخميس رابع المحرم، بقلعة المنصورة، ودُفِنَ بها حتى أنجزت تربته التي بنيت له شمالي الكلاسة، ثم حُوِّلَ إليها في جمادى الأولى، وقد كان ابتداء مرضه في رجب من السنة الماضية، واختلفت عليه الأدواءُ، فلما كان آخر السنة تزايد به المرض واعتراه إسهال مفرط، فخارت قوته حتى توفي، وكانت مدة ملكه بدمشق ثماني سنين وأشهر, وقد أوصى الأشرف بالملك من بعده لأخيه الصالح إسماعيل، فلما توفي أخوه ركب في أبهة الملك ومشى الناسُ بين يديه، وركب إلى جانبه صاحب حمص وعز الدين أيبك المعظمي حامل الغاشية على رأسه.</p></br>
| 287.3 | 2,726 | 0.761921 | arb_Arab | 0.99999 |
87c54f2a397d09c2c907699911feda7e49da8695 | 2,766 | md | Markdown | docs/code-quality/c6263.md | seferciogluecce/visualstudio-docs.tr-tr | 222704fc7d0e32183a44e7e0c94f11ea4cf54a33 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/code-quality/c6263.md | seferciogluecce/visualstudio-docs.tr-tr | 222704fc7d0e32183a44e7e0c94f11ea4cf54a33 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/code-quality/c6263.md | seferciogluecce/visualstudio-docs.tr-tr | 222704fc7d0e32183a44e7e0c94f11ea4cf54a33 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: C6263
ms.date: 11/04/2016
ms.prod: visual-studio-dev15
ms.technology: vs-ide-code-analysis
ms.topic: reference
f1_keywords:
- C6263
helpviewer_keywords:
- C6263
ms.assetid: bc360ad7-5f59-4480-a642-6c7e6beeb5f6
author: mikeblome
ms.author: mblome
manager: wpickett
ms.workload:
- multiple
ms.openlocfilehash: 8ada2a5f708cbb38dde6bda1ef593cab9a73556e
ms.sourcegitcommit: e13e61ddea6032a8282abe16131d9e136a927984
ms.translationtype: MT
ms.contentlocale: tr-TR
ms.lasthandoff: 04/26/2018
ms.locfileid: "31893818"
---
# <a name="c6263"></a>C6263
C6263 Uyarı: bir döngüde; _alloca kullanma Bu hızlı bir şekilde yığın taşması
Bu uyarı bellek ayıramadı döngü içinde _alloca çağırma yığın taşması neden olabileceğini gösterir. çağıran işlevi çıktığında bellek yalnızca serbest ancak bu _alloca yığınından bellek ayırır. Yığını, hatta kullanıcı modu, sınırlıdır ve bir yığın taşması özel bir sayfa yığınının tamamlamaya hatasına neden olur. `_resetstkoflw` İşlevi kurtarır önemli özel durum hatası ile başarısız oluyor yerine devam etmek bir program sağlayan bir yığın taşması koşulunu gelen. Varsa `_resetstkoflw` önceki özel durumdan sonra hiçbir koruma sayfası olduğunda, işlev çağrılmaz. Bir yığın olduğunu başlattığınızda taşması, hiçbir özel durum hiç ve vardır uyarmadan işlemi sonlandırır.
Arama kaçınmalısınız `_alloca` yığın taşması neden olabileceğinden ayırma boyutu veya yineleme sayısı bilinmiyorsa döngü içinde. Bu durumlarda, yığın bellek gibi diğer seçenekleri göz önünde bulundurun veya [C++ Standart Kitaplığı](/cpp/standard-library/cpp-standard-library-reference) sınıfları.
## <a name="example"></a>Örnek
Aşağıdaki kod bu uyarı üretir:
```
#include <windows.h>
#include <malloc.h>
#include <excpt.h>
#include <stdio.h>
#define MAX_SIZE 50
void f ( int size )
{
char* cArray;
__try
{
for(int i = 0; i < MAX_SIZE; i++)
{
cArray = (char *)_alloca(size);
// process cArray...
}
}
__except(GetExceptionCode() == STATUS_STACK_OVERFLOW ?
EXCEPTION_EXECUTE_HANDLER : EXCEPTION_CONTINUE_SEARCH )
{
// code...
puts("Allocation Failed");
_resetstkoflw();
}
}
```
Aşağıdaki kod, bu uyarıyı düzeltmek için malloc () kullanır:
```
#include <windows.h>
#define MAX_SIZE 50
void f ( int size )
{
char* cArray;
for(int i = 0; i < MAX_SIZE; i++)
{
cArray = (char *) malloc(size);
if (cArray != NULL)
{
// process cArray...
free(cArray);
}
}
}
```
## <a name="see-also"></a>Ayrıca Bkz.
[malloc](/cpp/c-runtime-library/reference/malloc) [_alloca](/cpp/c-runtime-library/reference/alloca) [_malloca](/cpp/c-runtime-library/reference/malloca) [C++ Standart Kitaplığı](/cpp/standard-library/cpp-standard-library-reference) | 31.793103 | 669 | 0.732827 | tur_Latn | 0.98641 |
87c61792764c14b6ed38a9b54d49fb72ac847784 | 997 | md | Markdown | website/docs/docs/typescript-tutorial/README.md | allpro/easy-peasy | ac38f6495c23311495888f73690ee53f191cf7bd | [
"MIT"
] | null | null | null | website/docs/docs/typescript-tutorial/README.md | allpro/easy-peasy | ac38f6495c23311495888f73690ee53f191cf7bd | [
"MIT"
] | null | null | null | website/docs/docs/typescript-tutorial/README.md | allpro/easy-peasy | ac38f6495c23311495888f73690ee53f191cf7bd | [
"MIT"
] | null | null | null | # Typescript Tutorial
Easy Peasy is bundled with robust Typescript definitions that have been tested against Typescript >= 3.3. Using Typescript against your store can create a dramatically improved developer experience, making it far easier to consume your store and perform refactoring of it if required.
This section will guide you through integrating and using Typescript with Easy Peasy. It will start with the basics, focusing on state only, and then gradually introduce each of the APIs (e.g. [action](/docs/api/action), [thunk](/docs/api/thunk), etc).
We will be building a fully functional application along the way, using [CodeSandbox](https://codesandbox.io) to host the demo. Each section will link to a specific [CodeSandbox](https://codesandbox.io) instance with the progress that we have made within each part of the tutorial.
If you aren't familiar with Easy Peasy then I would recommend that you first familiarise yourself with it by reading the [tutorial](/docs/tutorial).
| 90.636364 | 284 | 0.79338 | eng_Latn | 0.997893 |
87c724ea774d8e3280a9b100ba95fe012fbbf6ef | 629 | md | Markdown | _posts/2021-11-30-ift6758-notes.md | Seeeeeyo/nhl-games-prediction.github.io | f067e36b37bf2cf9b2a6ea92f8c4dd56057e3d88 | [
"MIT"
] | null | null | null | _posts/2021-11-30-ift6758-notes.md | Seeeeeyo/nhl-games-prediction.github.io | f067e36b37bf2cf9b2a6ea92f8c4dd56057e3d88 | [
"MIT"
] | null | null | null | _posts/2021-11-30-ift6758-notes.md | Seeeeeyo/nhl-games-prediction.github.io | f067e36b37bf2cf9b2a6ea92f8c4dd56057e3d88 | [
"MIT"
] | null | null | null | ---
layout: post
title: Notes
---
## Notes
***Comet ML***
We used different comet projects for this work. Each set of models has its own project.
However, for clarity, we decided to rerun all the models and log the latest experiments + models in a single project.
The comet ml links in this blog will lead you to this last project.
In case you would like to see a full history of our simulations, here is the
[link](https://www.comet.ml/j-bytes#projects)
to the workspace with all the different projects.
***Group size***
Please note that our group consist of 3 people, which is less than most of the other groups.
| 27.347826 | 118 | 0.737679 | eng_Latn | 0.999834 |
87c74226464bfe5d21b0aa17f9e8bb2d72de15c0 | 340 | md | Markdown | README.md | BeSublime/beaver | e54e1fd1cdee74933420fc93f16f0bba40187801 | [
"MIT"
] | 1 | 2021-11-02T02:41:45.000Z | 2021-11-02T02:41:45.000Z | README.md | BeSublime/beaver | e54e1fd1cdee74933420fc93f16f0bba40187801 | [
"MIT"
] | null | null | null | README.md | BeSublime/beaver | e54e1fd1cdee74933420fc93f16f0bba40187801 | [
"MIT"
] | null | null | null | beaver
======
A flexible log viewer, built mainly for Demandware.
Setup & Installation
--------------------
To ensure you're running and/or working on beaver with the appropriate development environment,
please use the [beaver vagrant environment](https://github.com/BeSublime/beaver-vagrant).
---
#### More to come, at 11... | 28.333333 | 97 | 0.679412 | eng_Latn | 0.950738 |
87c771a63a2c5569b57c279a8c3ed4b76a5dd13f | 669 | md | Markdown | README.md | techthumb1/twitoff-dspt | 0e652ce59f7372589e3472725d235b1926b40abc | [
"MIT"
] | null | null | null | README.md | techthumb1/twitoff-dspt | 0e652ce59f7372589e3472725d235b1926b40abc | [
"MIT"
] | null | null | null | README.md | techthumb1/twitoff-dspt | 0e652ce59f7372589e3472725d235b1926b40abc | [
"MIT"
] | null | null | null | # twitoff-dspt
## Installation
Download the repo and navigate there from the command line:
```sh
git clone git@github.com:techthumb1/twitoff-dspt.git
cd twitoff-dspt
```
## Setup
Setup and activate a virtual environment:
```sh
pipenv install
pipenv shell
```
Setup the database:
'''sh
# Windows users can omit the "FLASK_APP=web_app" part...
FLASK_APP=web_app flask db init #> generates app/migrations dir
# run both when changing the schema:
FLASK_APP=web_app flask db migrate #> creates the db (with "alembic_version" table)
FLASK_APP=web_app flask db upgrade #> creates the specified tables
'''
## Usage
Run the web app:
```sh
FLASK_APP=web_app flask run | 18.081081 | 83 | 0.748879 | eng_Latn | 0.872948 |
87c7b6f837f790ba6c8bfe04a03ac6d964f9eb0c | 2,854 | md | Markdown | docs/CustomPropertiesApi.md | DevCycleHQ/go-mgmt-sdk | ec67aa56112f39d06d40c0ce1b963e59369f93bc | [
"MIT"
] | 15 | 2022-03-10T16:46:01.000Z | 2022-03-15T13:08:45.000Z | docs/CustomPropertiesApi.md | DevCycleHQ/go-mgmt-sdk | ec67aa56112f39d06d40c0ce1b963e59369f93bc | [
"MIT"
] | null | null | null | docs/CustomPropertiesApi.md | DevCycleHQ/go-mgmt-sdk | ec67aa56112f39d06d40c0ce1b963e59369f93bc | [
"MIT"
] | null | null | null | # {{classname}}
All URIs are relative to */*
Method | HTTP request | Description
------------- | ------------- | -------------
[**CustomPropertiesControllerCreate**](CustomPropertiesApi.md#CustomPropertiesControllerCreate) | **Post** /v1/projects/{project}/customProperties | Create Custom Property
[**CustomPropertiesControllerFindAll**](CustomPropertiesApi.md#CustomPropertiesControllerFindAll) | **Get** /v1/projects/{project}/customProperties | List Custom Properties
# **CustomPropertiesControllerCreate**
> CustomProperty CustomPropertiesControllerCreate(ctx, body, project)
Create Custom Property
Create a new Custom Property
### Required Parameters
Name | Type | Description | Notes
------------- | ------------- | ------------- | -------------
**ctx** | **context.Context** | context for authentication, logging, cancellation, deadlines, tracing, etc.
**body** | [**CreateCustomPropertyDto**](CreateCustomPropertyDto.md)| |
**project** | [**Object**](.md)| A Project key or ID |
### Return type
[**CustomProperty**](CustomProperty.md)
### Authorization
No authorization required
### HTTP request headers
- **Content-Type**: application/json
- **Accept**: application/json
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
# **CustomPropertiesControllerFindAll**
> []CustomProperty CustomPropertiesControllerFindAll(ctx, project, optional)
List Custom Properties
List Custom Properties
### Required Parameters
Name | Type | Description | Notes
------------- | ------------- | ------------- | -------------
**ctx** | **context.Context** | context for authentication, logging, cancellation, deadlines, tracing, etc.
**project** | [**Object**](.md)| A Project key or ID |
**optional** | ***CustomPropertiesApiCustomPropertiesControllerFindAllOpts** | optional parameters | nil if no parameters
### Optional Parameters
Optional parameters are passed through a pointer to a CustomPropertiesApiCustomPropertiesControllerFindAllOpts struct
Name | Type | Description | Notes
------------- | ------------- | ------------- | -------------
**page** | **optional.Float64**| | [default to 1]
**perPage** | **optional.Float64**| | [default to 100]
**sortBy** | **optional.String**| | [default to createdAt]
**sortOrder** | **optional.String**| | [default to desc]
**search** | **optional.String**| |
### Return type
[**[]CustomProperty**](CustomProperty.md)
### Authorization
No authorization required
### HTTP request headers
- **Content-Type**: Not defined
- **Accept**: application/json
[[Back to top]](#) [[Back to API list]](../README.md#documentation-for-api-endpoints) [[Back to Model list]](../README.md#documentation-for-models) [[Back to README]](../README.md)
| 36.126582 | 180 | 0.665032 | yue_Hant | 0.356377 |
87c7f3ea35656f3f6cd5a8921e7c21afc11016e0 | 2,288 | md | Markdown | 1-projects/lambda/LS-Data-Structures-II-Solution/README.md | impastasyndrome/Lambda-Resource-Static-Assets | 7070672038620d29844991250f2476d0f1a60b0a | [
"MIT"
] | null | null | null | 1-projects/lambda/LS-Data-Structures-II-Solution/README.md | impastasyndrome/Lambda-Resource-Static-Assets | 7070672038620d29844991250f2476d0f1a60b0a | [
"MIT"
] | null | null | null | 1-projects/lambda/LS-Data-Structures-II-Solution/README.md | impastasyndrome/Lambda-Resource-Static-Assets | 7070672038620d29844991250f2476d0f1a60b0a | [
"MIT"
] | 1 | 2021-11-05T07:48:26.000Z | 2021-11-05T07:48:26.000Z | # Data Structures II
Topics:
- Tree
- Graph
- Binary Search Tree
#### Trees
- Should have the methods: `addChild`, and `contains`
- Each node on the tree should have a `value` property and a `children` array.
- `addChild(value)` should accept a value and add it to that node's `children` array.
- `contains(value)` should return `true` if the tree or its children the given value.
- When you add nodes to the `children` array use `new Tree(value)` to create the node.
- You can instantiate the `Tree` class inside of itself.
#### Binary Search Tree
- Should have the methods: `insert`, `contains`, `depthFirstForEach`, and `breadthFirstForEach`.
- `insert(value)` inserts the new value at the correct location in the tree.
- `contains(value)` searches the tree and returns `true` if the the tree contains the specified value.
- `depthFirstForEach(cb)` should iterate over the tree using DFS and passes each node of the tree to the given callback function.
- `breadthFirstForEach(cb)` should iterate over the tree using BFS and passes each node of the tree to the given callback function (hint: you'll need to either re-implement or import a queue data structure for this).
#### Graphs
- Should have methods named `addNode`, `contains`, `removeNode`, `addEdge`, `getEdge`, and `removeEdge`
- `addNode(newNode, toNode)` should add a new item to the graph. If `toNode` is given then the new node should share an edge with an existing node `toNode`.
- `contains(value)` should return true if the graph contains the given value.
- `removeNode(value)` should remove the specified value from the graph.
- `addEdge(fromNode, toNode)` should add an edge between the two specified nodes.
- `getEdge(fromNode, toNode)` should return `true` if an edge exists between the two specified graph nodes.
- `removeEdge(fromNode, toNode)` should remove the edge between the two specified nodes.
### Extra Credit
- Add a method to the `Graph` class that searches through the graph using edges. Make this search first as a depth first search and then refactor to a breadth first search.
- Read up on [heaps](<https://en.wikipedia.org/wiki/Heap_(data_structure)>) here. Then implement one!
- Read up on [red-black trees](https://en.wikipedia.org/wiki/Red%E2%80%93black_tree) here. Then implement one!
| 55.804878 | 216 | 0.75 | eng_Latn | 0.995636 |
87c81ff94959bce83490a5e00f0a0c97227b87d4 | 1,423 | md | Markdown | 2020/11/17/2020-11-17 02:15.md | zhzhzhy/WeiBoHot_history | 32ce4800e63f26384abb17d43e308452c537c902 | [
"MIT"
] | 3 | 2020-07-14T14:54:15.000Z | 2020-08-21T06:48:24.000Z | 2020/11/17/2020-11-17 02:15.md | zhzhzhy/WeiBoHot_history | 32ce4800e63f26384abb17d43e308452c537c902 | [
"MIT"
] | null | null | null | 2020/11/17/2020-11-17 02:15.md | zhzhzhy/WeiBoHot_history | 32ce4800e63f26384abb17d43e308452c537c902 | [
"MIT"
] | null | null | null | 2020年11月17日02时数据
Status: 200
1.王思聪评论半藏森林
微博热度:775785
2.医院回应护士在副院长家顶楼自杀
微博热度:333636
3.杨洋蜡像遭骚扰
微博热度:287333
4.邓家佳
微博热度:252948
5.圆通内鬼致40万条个人信息泄露
微博热度:238252
6.新鹿鼎记鳌拜家写了鳌府
微博热度:141591
7.杭州拍到一丘之貉中的貉
微博热度:132377
8.萧胡辇怀孕
微博热度:132193
9.特朗普发推称赢了大选
微博热度:128908
10.顶楼
微博热度:128494
11.张一山方回应演技争议
微博热度:122507
12.周杰伦的创作能力有多强
微博热度:122380
13.金莎 追星女孩单身的原因
微博热度:122213
14.钟南山说新冠病毒溯源尚未完成
微博热度:115530
15.大学生订婚假批语有多温柔
微博热度:111534
16.官方回应卖淫嫖娼者通报单位社区及家人
微博热度:110623
17.方怡答应做韦小宝老婆
微博热度:109732
18.化学老师制作49支唇膏送学生
微博热度:109226
19.麦当劳中国投资25亿卖咖啡
微博热度:108060
20.潘长江cos陈奕迅
微博热度:106345
21.李现
微博热度:105711
22.日本一年少50万人
微博热度:105280
23.卖玩具枪获刑十年男子提前回家
微博热度:97849
24.美国大选正式结果何时官宣
微博热度:92491
25.住山洞8年小伙回应参观收费
微博热度:92361
26.在副院长家顶楼自杀女护士父亲发声
微博热度:91817
27.故宫的秋天请慢一点
微博热度:77024
28.蒙古族新兵首次实弹射击50环
微博热度:74935
29.天下足球
微博热度:74816
30.韦小宝在小郡主脸上画画
微博热度:74786
31.6起交通死亡案例全是骑车人和行人全责
微博热度:72046
32.王源20岁首封
微博热度:70547
33.人类能懒到什么程度
微博热度:69770
34.马明被双开
微博热度:68303
35.理工男将宿舍门锁改成智能锁
微博热度:67510
36.李宇春珍珠白断层西装
微博热度:63226
37.顾耀东 我关心是因为我喜欢你
微博热度:60841
38.分别时偷偷挥手的老人
微博热度:59446
39.爱的厘米
微博热度:59001
40.英国驻重庆总领事救落水女大学生
微博热度:56156
41.哈尔滨警方通报法官被刺死
微博热度:51946
42.韦小宝偷太后经书
微博热度:51876
43.做家教不小心暴露土味鞋垫
微博热度:50292
44.沈青禾男友力
微博热度:48316
45.如何形容高光很亮
微博热度:47039
46.乐华娱乐否认王富贵是公司职粉
微博热度:43939
47.浙江义乌一法拉利撞上飞机
微博热度:36573
48.考完试从考场出来的我
微博热度:33614
49.台军部署导弹有重大故障缺陷
微博热度:33360
50.新冠2019年或已在意大利传播
微博热度:32744
| 6.97549 | 21 | 0.784259 | yue_Hant | 0.430497 |
87c8810f3699d72df6e5e32124e300a6d4fd2e33 | 4,336 | md | Markdown | README.md | destish21/note_taker | d959c43e1a676f95849c46df2b476b0afe26a54e | [
"MIT"
] | null | null | null | README.md | destish21/note_taker | d959c43e1a676f95849c46df2b476b0afe26a54e | [
"MIT"
] | null | null | null | README.md | destish21/note_taker | d959c43e1a676f95849c46df2b476b0afe26a54e | [
"MIT"
] | null | null | null | # Note_Taker
## License
[](https://opensource.org/licenses/MIT)
# Table of Contents
* [Installation Instructions](#installation-instructions)
* [Usage Instructions](#usage-instructions)
* [Contribution](#Contribution)
* [Developers Contact Information](#Developers-Contact-Information)
* [License](#license)
# Description
* This application is developed to help people, project managers,even to every body that can be used to write clearly and briefly, save, and delete notes.
* This application uses an express backend and save and retrieve note data from a JSON file. .
* Developers or users can quickly and easily create note or take notes as well as save,retrieve note and delete saved notes or new notes for their job. by using a command-line application to generate one.
* The app runs as a server.js to gather information about each notes.
* you can quickly create or taken notes.
* My note taker application includes all necessary code that is readable, reliable, and maintainable Oftentimes, node_modules, main Readme, screenshot images.
* I put my LinkedIn profile, my github URL repository, heroku url and email address working activly.
## Installation Instructions
* The developer is authorizing a free installation by cloning from the repository code:-
* [destish21/note_taker](https://github.com/destish21/note_taker)
* you can run by install npm i to include node_module.
* you can run by node server.js to note taker.
# screenshot Images
* 
* 
## Usage Instructions
* For this app to run make sure first
intall the node_moduale.
* make sure creat repository in your github.
* Clone the code from my github repository
* [destish21/note_taker](https://github.com/destish21/note_taker)
* note_taker and clone it in your comand line.
* Make sure node_modules run by `npm i or npm install`
in your computer.
* Once in the directory run npm install to install the node_modules needed to run the app.
Run by `npx nodemon server.js` or by `node server.js`.
* You will be write notes on the application.
* A `note_taker Completed wrote the file !!` will be desplayed after you wrote your note.
* you will see a high-quality, professional `note_taker` is generated with the title of my project.
* you can generate a notes that displays basic info on note takers.
* you can try the note takers by commandline.
`npx nodemon server.js` or by `node server.js`.
* I built with diferent routes get `/note` for `notes.html`file, and get `/` for `index.html`file. I used `/` to be direct specific index.html inasted of to direct to all `*`
* GET `/api/notes` reads the `db.json` file and return all saved notes as JSON.
* POST `/api/notes` receives a new note to save on the request body, add it to the `db.json` file, and then return the new note to the client.
* DELETE `/api/notes/:id` - Should receive a query parameter containing the id of a note to delete. This means you'll need to find a way to give each note a unique `id` when it's saved. In order to delete a note, you'll need to read all notes from the `db.json` file, remove the note with the given `id` property, and then rewrite the notes to the `db.json` file.
* you can to be able to write and save notes.
* you can to be able to delete notes you've written before.
* you can quickly access to emails and GitHub profiles.
* My `note_taker` is in my github repository enjoy it!
## Contribution
* This is Contributed by [destish21/note_taker](https://github.com/destish21/note_taker).
* But Contribution, issues and feature requests are welcome.
* Feel free to check issues page if you want to contribute.
* you can contact me by Contact Information here below.
## Developers Contact Information
* LinkdIn Profile: [Desta Mulualem](https://www.linkedin.com/in/desta-mulualem-6718b1203/)
* Deployed URL : [Note Taker](https://notetakerd.herokuapp.com/)
* github URL: https://github.com/destish21/note_taker
* Email: destish21@yahoo.com
| 40.148148 | 366 | 0.719557 | eng_Latn | 0.991994 |
87c907cb0c376ae9e6338370958c5e7515c6c6d8 | 1,823 | md | Markdown | README.md | mirko-pagliai/me_cms | 370a831cfc7aa4d576c9c44d13d9664b50e990ac | [
"MIT"
] | null | null | null | README.md | mirko-pagliai/me_cms | 370a831cfc7aa4d576c9c44d13d9664b50e990ac | [
"MIT"
] | null | null | null | README.md | mirko-pagliai/me_cms | 370a831cfc7aa4d576c9c44d13d9664b50e990ac | [
"MIT"
] | null | null | null | # me-cms
[](LICENSE.txt)
[](https://travis-ci.org/mirko-pagliai/me-cms)
[](https://codecov.io/gh/mirko-pagliai/me-cms)
[](https://www.codacy.com/gh/mirko-pagliai/me-cms/dashboard?utm_source=github.com&utm_medium=referral&utm_content=mirko-pagliai/me-cms&utm_campaign=Badge_Grade)
[](https://www.codefactor.io/repository/github/mirko-pagliai/me-cms)
This repository contains only the source code of `me-cms`.
See [cakephp-for-mecms](https://github.com/mirko-pagliai/cakephp-for-mecms).
## How to extract POT files
To create migrations:
```bash
$ bin/cake bake migration_snapshot -f --require-table --no-lock --plugin MeCms Initial
```
## Testing
Tests are run for only one driver at a time, by default `mysql`.
To choose another driver to use, you can set the `driver_test` environment variable before running `phpunit`.
For example:
```
driver_test=postgres vendor/bin/phpunit
driver_test=sqlite vendor/bin/phpunit
```
Alternatively, you can set the `db_dsn` environment variable, indicating the connection parameters. In this case, the driver type will still be detected automatically.
For example:
```bash
db_dsn=sqlite:///' . TMP . 'example.sq3 vendor/bin/phpunit
```
## Versioning
For transparency and insight into our release cycle and to maintain backward compatibility,
Reflection will be maintained under the [Semantic Versioning guidelines](http://semver.org).
| 47.973684 | 264 | 0.773999 | eng_Latn | 0.504831 |
87c979088b08ccdc8cad32b32295957bedb1386a | 719 | md | Markdown | src/newsletters/2018/36/running-smoke-tests-for-aspnet-core-apps-in-ci-using-docker.md | dotnetweekly/dnw-gatsby | b12818bfe6fd92aeb576b3f79c75c2e9ac251cdb | [
"MIT"
] | 1 | 2022-02-03T19:26:09.000Z | 2022-02-03T19:26:09.000Z | src/newsletters/2018/36/running-smoke-tests-for-aspnet-core-apps-in-ci-using-docker.md | dotnetweekly/dnw-gatsby | b12818bfe6fd92aeb576b3f79c75c2e9ac251cdb | [
"MIT"
] | 13 | 2020-08-19T06:27:35.000Z | 2022-02-26T17:45:11.000Z | src/newsletters/2018/36/running-smoke-tests-for-aspnet-core-apps-in-ci-using-docker.md | dotnetweekly/dnw-gatsby | b12818bfe6fd92aeb576b3f79c75c2e9ac251cdb | [
"MIT"
] | null | null | null | ---
_id: 5b88b136eb7bebee7989afc7
title: "Running smoke tests for ASP.NET Core apps in CI using Docker"
url: 'https://andrewlock.net/running-smoke-tests-for-asp-net-core-apps-in-ci-using-docker/'
category: articles
slug: 'running-smoke-tests-for-aspnet-core-apps-in-ci-using-docker'
user_id: 5a83ce59d6eb0005c4ecda2c
username: 'bill-s'
createdOn: '2018-08-31T03:08:38.736Z'
tags: [asp.net-core]
---
In this post I'll discuss a technique I use occasionally to ensure that an ASP.NET Core app is able to start correctly, as part of a continuous integration (CI) build pipeline. These "smoke tests" provide an initial indication that there may be something wrong with the build, which may not be caught by other tests.
| 44.9375 | 316 | 0.776078 | eng_Latn | 0.971444 |
87ca605c9582e7cd376419e31b4749d935083e63 | 2,033 | md | Markdown | content/blog/2009-06-17-command-line-arguments-parser.md | yetanotherchris/anotherchris.net | b09c9dcc1ef3ce4f8813c4dd22b3251f0c9dbe42 | [
"CC0-1.0"
] | 1 | 2015-11-07T23:41:08.000Z | 2015-11-07T23:41:08.000Z | content/blog/2009-06-17-command-line-arguments-parser.md | yetanotherchris/anotherchris.net | b09c9dcc1ef3ce4f8813c4dd22b3251f0c9dbe42 | [
"CC0-1.0"
] | null | null | null | content/blog/2009-06-17-command-line-arguments-parser.md | yetanotherchris/anotherchris.net | b09c9dcc1ef3ce4f8813c4dd22b3251f0c9dbe42 | [
"CC0-1.0"
] | null | null | null | ---
title: Command line arguments parser
date: 2009-06-17 00:00:00 Z
permalink: "/csharp/command-line-arguments-parser/"
tags:
- csharp
- command-line
Published: 2009-06-17 00:00:00 Z
author: Chris S
description: There are already 2 or 3 command line arguments in C#, two of which are found
on the codeproject.com website. Both of these didn't match my exact needs so I decided
to write my own one.
layout: post
dsq_thread_id:
- 1069176934
---
There are already 2 or 3 command line arguments in C#, two of which are found on the codeproject.com website. Both of these didn't match my exact needs so I decided to write my own one.
An updated and more advanced parser can be found in the [CommandOptions class][1].
<!--more-->
*The format is the Unix bash command line format, not the Windows forward slash format.*
The one below doesn't use regular expressions (mostly from realising I could do it faster tokenizing than failing with the regex syntax for hours). It's implemented using a basic state machine, it could probably be improved to use the [State pattern][2], but works fine for now. I haven't researched the optimum way for token parsing, as I'm sure there are proven methods for doing it. If you know any sites or examples of these (Douglas Crokford's JSLint is one example I know), contact me on the contact page.
<!--more-->
Without specifying the args, the class automatically grabs the command line from the System.Environment.CommandLine property, and removes the current process name from this.
**Correct formats it accepts are**:
> -arg=value
> -arg1=value -arg2=value
> -arg='my value'
> -arg=”my value”
> -arg=1,2,3,4 -arg2=another
**Incorrect formats it won't accept are:**
> -arg1 = value
> —arg1=value
> -arg1 value
> -arg1 “value value”
Here's the source, with example usage:
`gist:yetanotherchris/4747009`
[1]: /csharp/commandoptions-interactive-console-application-command-parser/
[2]: /csharp/csharp-design-patterns-the-state-pattern | 39.096154 | 511 | 0.745204 | eng_Latn | 0.996496 |
87cade987b213653e0ce0fb7bf637e202dc18fa8 | 10,807 | md | Markdown | articles/active-directory/authentication/howto-password-ban-bad-on-premises-agent-versions.md | VictoriaZan/azure-docs.ru-ru | 1fc2f6a29e4537288cf381b77d678f6228e4168a | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/active-directory/authentication/howto-password-ban-bad-on-premises-agent-versions.md | VictoriaZan/azure-docs.ru-ru | 1fc2f6a29e4537288cf381b77d678f6228e4168a | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/active-directory/authentication/howto-password-ban-bad-on-premises-agent-versions.md | VictoriaZan/azure-docs.ru-ru | 1fc2f6a29e4537288cf381b77d678f6228e4168a | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Журнал выпусков агента защиты паролем — Azure Active Directory
description: Содержит журнал выпуска версий и изменения в поведении.
services: active-directory
ms.service: active-directory
ms.subservice: authentication
ms.topic: article
ms.date: 11/21/2019
ms.author: justinha
author: justinha
manager: daveba
ms.reviewer: jsimmons
ms.collection: M365-identity-device-management
ms.openlocfilehash: bd9b07f1f7aed479e94e77a5641130cb784dd69e
ms.sourcegitcommit: ad83be10e9e910fd4853965661c5edc7bb7b1f7c
ms.translationtype: MT
ms.contentlocale: ru-RU
ms.lasthandoff: 12/06/2020
ms.locfileid: "96741972"
---
# <a name="azure-ad-password-protection-agent-version-history"></a>журнал выпуска версий агента защиты паролем Azure AD
## <a name="121250"></a>1.2.125.0
Дата выпуска: 3/22/2019
* Исправление незначительных ошибок опечатки в сообщениях журнала событий
* Обновить соглашение о ЛИЦЕНЗИОНном соглашении до окончательной общей версии доступности
> [!NOTE]
> Сборка 1.2.125.0 — это общая сборка доступности. Еще раз благодарим вас за отзыв о продукте!
## <a name="121160"></a>1.2.116.0
Дата выпуска: 3/13/2019
* Командлеты Get-AzureADPasswordProtectionProxy и Get-AzureADPasswordProtectionDCAgent теперь сообщают о версии программного обеспечения и текущем клиенте Azure со следующими ограничениями:
* Версия программного обеспечения и данные клиента Azure доступны только для агентов контроллера домена и прокси-серверов под управлением версии 1.2.116.0 или более поздней.
* Данные клиента Azure могут быть не зарегистрированы, пока не будет выполнена повторная регистрация (или продление) прокси-сервера или леса.
* Для службы прокси теперь необходимо установить .NET 4,7.
* Платформа .NET 4,7 уже должна быть установлена на полностью обновленной операционной системе Windows Server. Если это не так, скачайте и запустите установщик, который находится на странице [автономный установщик .NET Framework 4,7 для Windows](https://support.microsoft.com/help/3186497/the-net-framework-4-7-offline-installer-for-windows).
* В системах Server Core может потребоваться передать флаг/q установщику .NET 4,7, чтобы его можно было успешно получить.
* Служба прокси теперь поддерживает автоматическое обновление. При автоматическом обновлении используется служба обновления агента Microsoft Azure AD Connect, которая устанавливается параллельно с прокси-службой. Автоматическое обновление включено по умолчанию.
* Автоматическое обновление можно включить или отключить с помощью командлета Set-AzureADPasswordProtectionProxyConfiguration. Текущее значение можно запросить с помощью командлета Get-AzureADPasswordProtectionProxyConfiguration.
* Двоичный файл службы для службы агента контроллера домена переименован в AzureADPasswordProtectionDCAgent.exe.
* Двоичный файл службы для прокси-службы переименован в AzureADPasswordProtectionProxy.exe. Если брандмауэр стороннего производителя используется, может потребоваться изменить правила брандмауэра соответствующим образом.
* Примечание. Если файл конфигурации прокси-сервера HTTP был использован в предыдущей установке прокси-сервера, его необходимо переименовать (из *proxyservice.exe.config* в *AzureADPasswordProtectionProxy.exe.config*) после этого обновления.
* Все проверки функциональности с ограниченным временем были удалены из агента контроллера домена.
* Исправления незначительных ошибок и улучшения ведения журнала.
## <a name="12650"></a>1.2.65.0
Дата выпуска: 2/1/2019
Изменения:
* Агент и прокси-сервер службы контроллера домена теперь поддерживаются на основном сервере. Требования к ОС мининимум не изменились до: Windows Server 2012 для агентов контроллера домена и Windows Server 2012 R2 для прокси.
* Командлеты Register-AzureADPasswordProtectionProxy и Register-AzureADPasswordProtectionForest теперь поддерживают режимы проверки подлинности Azure на основе кода устройства.
* Командлет Get-AzureADPasswordProtectionDCAgent проигнорирует искаженные и недопустимые точки подключения службы. Это исправляет ошибку, при которой контроллеры домена иногда появлялись несколько раз в выходных данных.
* Командлет Get-AzureADPasswordProtectionSummaryReport проигнорирует искаженные и (или) недопустимые точки подключения службы. Это исправляет ошибку, при которой контроллеры домена иногда появлялись несколько раз в выходных данных.
* Модуль прокси-сервера PowerShell теперь зарегистрирован в папке %ProgramFiles%\WindowsPowerShell\Modules. Переменная среды PSModulePath компьютера больше не изменяется.
* Добавлен новый командлет Get-AzureADPasswordProtectionProxy, чтобы помочь в обнаружении зарегистрированных прокси-серверов в лесу или домене.
* Агент контроллера домена использует новую папку в общей папке sysvol для репликации политик паролей и других файлов.
Старое расположение папки:
`\\<domain>\sysvol\<domain fqdn>\Policies\{4A9AB66B-4365-4C2A-996C-58ED9927332D}`
Новое расположение папки:
`\\<domain>\sysvol\<domain fqdn>\AzureADPasswordProtection`
(Это изменение было внесено, чтобы избежать ложных срабатываний предупреждений о "потерянных объектах групповой политики").
> [!NOTE]
> Миграция или обмен данными не будут выполняться между старой и новой папкой. Старые версии агента контроллера домена продолжат использовать старое расположение до тех пор, пока не будут обновлены до этой версии или более поздней. После запуска всех агентов контроллера домена версии 1.2.65.0 или более поздней версии, старую папку sysvol можно удалить вручную.
* Агент и прокси-сервер службы контроллера домена теперь будут обнаруживать и удалять искаженные копии соответствующих точек подключения службы.
* Каждый агент контроллера домена будет периодически удалять искаженные и устаревшие точки подключения службы в своем домене как для агента контроллера домена, так и для точек подключения службы прокси-сервера. Точки подключения к агенту контроллера сервера и прокси-серверу считаются устаревшими, если его метка времени превышает семь дней.
* Агент контроллера домена теперь будет обновлять сертификат леса по мере необходимости.
* Служба прокси-сервера теперь будет обновлять сертификат прокси-сервера по мере необходимости.
* Обновления алгоритма проверки пароля: список глобально заблокированных паролей и список заблокированных паролей для конкретного клиента (если настроено) объединяются перед проверкой пароля. Данный пароль теперь можете отклонить (сбой или только аудит), если он содержит токены как из глобального, так и из клиентского списка. Чтобы это изобразить, была обновлена документация журнала событий; см. [Preview: Azure AD Password Protection monitoring and logging](howto-password-ban-bad-on-premises-monitor.md) (Предварительный просмотр: мониторинг и ведение журнала защиты паролем Azure AD).
* Исправления, повышающие производительность и надежность
* Улучшенное ведение журнала.
> [!WARNING]
> Ограниченная функциональность: служба агента контроллера домена в этом выпуске (1.2.65.0) прекратит обработку запросов на проверку пароля с 1 сентября 2019 года. Службы агента контроллера домена в предыдущих выпусках (см. список ниже) остановят обработку с 1 июля 2019 года. Служба агента контроллера домена во всех версиях внесет 10 021 событие в журнал событий администратора в течение двух месяцев до этих крайних сроков. Все ограничения по времени будут удалены в следующем выпуске общедоступной версии. Не существует ограничений времени ни в одной версии службы агента прокси-сервера, но ее все равно необходимо обновить до последней версии, чтобы воспользоваться всеми последующими исправлениями ошибок и другими улучшениями.
## <a name="12250"></a>1.2.25.0
Дата выпуска: 11.01.2018
Исправления:
* Исправлено аварийное завершение работы агента контроллера домена и служба прокси-сервера из-за проблем доверия к сертификату.
* Внесены дополнительные исправления в агент контроллера домена и службу прокси-сервера для компьютеров, соответствующих требованиям FIPS.
* Теперь служба прокси-сервера правильно работает в сетевых средах, поддерживающих только TLS 1.2.
* Небольшие исправления, повышающие производительность и надежность.
* Улучшенное ведение журнала.
Изменения:
* Теперь минимальная требуемая версия ОС для службы прокси-сервера — Windows Server 2012 R2. Для службы агента контроллера домена по-прежнему требуется как минимум Windows Server 2012.
* Для службы прокси-сервера теперь необходимо .NET версии 4.6.2.
* Алгоритм проверки паролей использует расширенную таблицу для нормализации символов. Это может привести к тому, что пароли, которые принимались в старых версиях, теперь будут отвергаться.
## <a name="12100"></a>1.2.10.0
Дата выпуска: 17.08.2018
Исправления:
* Register-AzureADPasswordProtectionProxy и Register-AzureADPasswordProtectionForest теперь поддерживают многофакторную проверку подлинности.
* Для использования Register-AzureADPasswordProtectionProxy домен должен использовать контроллер домена под управлением Windows Server 2012 или более поздней версии, чтобы избежать ошибок шифрования.
* Повышена надежность службы агента контроллера домена при запросе новой политики паролей из Azure во время запуска.
* Служба агента контроллера домена будет запрашивать новую политику паролей из Azure каждый час, если это необходимо, но теперь она это будет делать со случайно выбранным временем начала.
* Служба агента контроллера домена больше не будет вызывать неопределенную задержку при объявлении нового контроллера домена, если он устанавливается на сервер до его повышения до реплики.
* Теперь служба агента контроллера домена будет поддерживать параметр конфигурации "Включить защиту паролем на Windows Server Active Directory".
* Теперь установщик агента контроллера домена и установщик прокси-сервера будут поддерживать обновление на месте до будущих версий.
> [!WARNING]
> Обновление на месте версии 1.1.10.3 не поддерживается и приведет к ошибке при установке. Для обновления до версии 1.2.10 или более поздней версии необходимо сначала полностью удалить программное обеспечение агента контроллера домена и прокси-службы, а затем установить новую версию с нуля. Повторная регистрация прокси-службы защиты паролем Azure AD является обязательной. Не требуется повторно регистрировать лес.
> [!NOTE]
> Для обновления на месте программного обеспечения агента контроллера домена потребуется перезагрузка.
* Агент контроллера домена и прокси-служба теперь поддерживают выполнение на сервере, настроенном для использования только FIPS-совместимых алгоритмов.
* Небольшие исправления, повышающие производительность и надежность.
* Улучшенное ведение журнала.
## <a name="11103"></a>1.1.10.3
Дата выпуска: 15.06.2018
Первоначальный выпуск общедоступной предварительной версии
## <a name="next-steps"></a>Дальнейшие действия
[Развертывание защиты паролем Azure AD](howto-password-ban-bad-on-premises-deploy.md)
| 77.192857 | 734 | 0.827519 | rus_Cyrl | 0.959938 |
87cae43c0ce54e288a181ec438cb9bb23e9829fd | 2,289 | md | Markdown | README.md | RodolfoFerro/luigi-pipeline-talk | c33e9d8eda51290e645c62e4c73976d86203fc6d | [
"MIT"
] | 8 | 2021-09-26T00:23:51.000Z | 2021-11-27T02:17:28.000Z | README.md | RodolfoFerro/luigi-pipeline-talk | c33e9d8eda51290e645c62e4c73976d86203fc6d | [
"MIT"
] | null | null | null | README.md | RodolfoFerro/luigi-pipeline-talk | c33e9d8eda51290e645c62e4c73976d86203fc6d | [
"MIT"
] | 3 | 2021-09-26T05:49:17.000Z | 2021-11-27T02:17:22.000Z | <center>
<img src="assets/banner.png" width="100%">
</center>


 <br>
[](https://twitter.com/rodo_ferro/)
[](https://www.linkedin.com/in/rodolfoferro/) <br>
[](https://docs.google.com/presentation/d/e/2PACX-1vTUzVQPPTNGgkkhOQxjzQA94Hdx-zq6K0_J0mL4qwSJlSLti103gCEjbFMqIljs0p3Ep1f7XAm9WSem/pub?start=false&loop=false&delayms=3000)
Este repo ilustra un proceso sencillo de automatización de transformación y modelado de datos, a través de un pipeline utilizando Luigi.
#### Stack principal
- Python 3.7+
- Streamlit
- Scikit-learn
- Pandas
- Luigi
## Idea
El proceso completo es descrito en una app interactiva que encuentras en el script `app.py`. Checa los detalles de cómo levantar la app en la sección de cómo ejecutar los scripts.
## Setup
1. Crea un entorno virtual (te recomiendo usar `conda`):
```bash
conda create --name data-pipes python=3.7
```
2. Activate the virtual environment:
```bash
conda activate data-pipes
```
3. Install requirements:
```bash
pip install -r requirements.txt
```
## Ejecuta los scripts
#### App interactiva
Para ejecutar la app interactiva, simplemente ejecuta el comando de Streamlit con el entorno virtual activado:
```bash
(data-pipes) streamlit run app.py
```
Esto abrirá un servidor local en: [`http://localhost:8501`](http://localhost:8501).
#### Pipeline de datos
Si deseas ejecutar una tarea en específico ,supongamos la `TareaX` que se encuentra en el script `tareas.py`, entonces ejecuta el comando:
```bash
PYTHONPATH=. luigi --module tareas TareaX --local-scheduler
```
¡Puedes extender el código y agregar las tareas que tú desees!
| 35.765625 | 284 | 0.752294 | spa_Latn | 0.664261 |
87cb6b71e7bf04385b365458178f4598aef77e31 | 10,215 | md | Markdown | operations/network/dns/Manage_the_DNS_Unbound_Resolver.md | pawsey-kbuckley/docs-csm | 7c6962f6a039c9a167f8cc8bc1f469ba0a84777e | [
"MIT"
] | 14 | 2021-09-21T04:43:20.000Z | 2022-03-15T11:37:18.000Z | operations/network/dns/Manage_the_DNS_Unbound_Resolver.md | pawsey-kbuckley/docs-csm | 7c6962f6a039c9a167f8cc8bc1f469ba0a84777e | [
"MIT"
] | 135 | 2021-09-13T15:41:21.000Z | 2022-03-31T22:16:15.000Z | operations/network/dns/Manage_the_DNS_Unbound_Resolver.md | pawsey-kbuckley/docs-csm | 7c6962f6a039c9a167f8cc8bc1f469ba0a84777e | [
"MIT"
] | 11 | 2021-09-17T05:47:46.000Z | 2022-03-24T19:25:03.000Z | # Manage the DNS Unbound Resolver
The unbound DNS instance is used to resolve names for the physical equipment on the management networks within the system, such as NCNs, UANs, switches, compute nodes, and more. This instance is accessible only within the HPE Cray EX system.
### Check the Status of the `cray-dns-unbound` Pods
Use the kubectl command to check the status of the pods:
```bash
ncn-w001# kubectl get -n services pods | grep unbound
```
Example output:
```
cray-dns-unbound-696c58647f-26k4c 2/2 Running 0 121m
cray-dns-unbound-696c58647f-rv8h6 2/2 Running 0 121m
cray-dns-unbound-coredns-q9lbg 0/2 Completed 0 121m
cray-dns-unbound-manager-1596149400-5rqxd 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-8ppv4 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-cwksv 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-dtm9p 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-hckmp 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-t24w6 0/2 Completed 0 20h
cray-dns-unbound-manager-1596149400-vzxnp 0/2 Completed 0 20h
cray-dns-unbound-manager-1596222000-bcsk7 0/2 Completed 0 2m48s
cray-dns-unbound-manager-1596222060-8pjx6 0/2 Completed 0 118s
cray-dns-unbound-manager-1596222120-hrgbr 0/2 Completed 0 67s
cray-dns-unbound-manager-1596222180-sf46q 1/2 NotReady 0 7s
```
For more information about the pods displayed in the output above:
- `cray-dns-unbound-xxx` - These are the main unbound pods.
- `cray-dns-unbound-manager-yyy` - These are job pods that run periodically to update DNS from DHCP \(Kea\) and the SLS/SMD content for the Hardware State Manager \(HSM\). Pods will go into the `Completed` status, and then independently be reaped "later" by the Kubernetes job's processes.
- `cray-dns-unbound-coredns-zzz` - This pod is run one time during installation of Unbound \(Stage 4\) and reconfigures CoreDNS/ExternalDNS to point to Unbound for all site/internet lookups.
The table below describes what the status of each pod means for the health of the `cray-dns-unbound` services and pods. The Init and NotReady states are not necessarily bad, but it means the pod is being started or is processing. The `cray-dns-manager` and `cray-dns-coredns` pods for `cray-dns-unbound` are job pods that run periodically.
|Pod|Healthy Status|Error Status|Other|
|---|--------------|------------|-----|
|`cray-dns-unbound`|Running|CrashBackOffLoop|
|`cray-dns-coredns`|Completed|CrashBackOffLoop|InitNotReady|
|`cray-dns-manager`|Completed|CrashBackOffLoop|InitNotReady|
### Unbound Logs
Logs for the unbound Pods will show the status and health of actual DNS lookups. Any logs with `ERROR` or `Exception` are an indication that the Unbound service is not healthy.
```bash
ncn-w001# kubectl logs -n services -l app.kubernetes.io/instance=cray-dns-unbound -c unbound
```
Example output:
```
[1596224129] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224129] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224135] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224135] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224140] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224140] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224145] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224145] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224149] unbound[8:0] debug: using localzone health.check.unbound. transparent
[1596224149] unbound[8:0] debug: using localzone health.check.unbound. transparent
...snip...
[1597020669] unbound[8:0] error: error parsing local-data at 33 '69.0.254.10.in-addr.arpa. PTR .local': Empty label
[1597020669] unbound[8:0] error: Bad local-data RR 69.0.254.10.in-addr.arpa. PTR .local
[1597020669] unbound[8:0] fatal error: Could not set up local zones
```
**Troubleshooting:** If there are any errors in the Unbound logs:
- The "localzone health.check.unbound. transparent" log is not an issue.
- Typically, any error seen in Unbound, including the example above, falls under one of two categories:
- A bad configuration can come from a misconfiguration in the Helm chart. Currently, only the site/external DNS lookup can be at fault.
**ACTION:** See the customization.yaml file and look at the `system_to_site_lookup` value\(s\). Ensure that the external lookup values are valid and working.
- Bad data \(as shown in the above example\) comes only from the DNS Helper and can be seen in the manager logs.
**ACTION:** Review and troubleshoot the Manager Logs as shown below.
### View Manager \(DNS Helper\) Logs
Manager logs will show the status of the latest "true up" of DNS with respect to DHCP actual leases and SLS/SMD status. The following command shows the last four lines of the last Manager run, and can be adjusted as needed.
```bash
ncn-w001# kubectl logs -n services pod/$(kubectl get -n services pods \
| grep unbound | tail -n 1 | cut -f 1 -d ' ') -c manager | tail -n4
```
Example output:
```
uid: bc1e8b7f-39e2-49e5-b586-2028953d2940
Comparing new and existing DNS records.
No differences found. Skipping DNS update
```
Any log with `ERROR` or `Exception` is an indication that DNS is not healthy. The above example includes one of two possible reports for a healthy manager run. The healthy states are described below, as long as the write to the ConfigMap has not failed:
- No differences found. Skipping DNS update
- Differences found. Writing new DNS records to our configmap.
**Troubleshooting:** The Manager runs periodically, about every minute in release v1.4. Check if this is a one-time occurrence or if it is a recurring issue.
- If the error shows in one Manager log, but not during the next one, this is likely a one-time failure. Check to see if the record exists in DNS, and if so, move on.
- If several or all Manager logs show errors, particularly the same error, this could be of several sources:
- Bad network connections to DHCP and/or SLS/SMD.
**ACTION:** Capture as much log data as possible and contact customer support.
- Bad data from DHCP and/or SLS/SMD.
**ACTION:** If connections to DHCP \(Kea\) are involved, refer to [Troubleshoot DHCP Issues](../dhcp/Troubleshoot_DHCP_Issues.md).
### Restart Unbound
If any errors discovered in the sections above have been deemed transient or have not been resolved, the Unbound pods can be restarted.
Use the following command to restart the pods:
1. Restart Unbound
```bash
ncn-w001# kubectl -n services rollout restart deployment cray-dns-unbound
```
A rolling restart of the Unbound pods will occur, old pods will not be terminated and new pods will not be added to the load balancer until the new pods have successfully loaded the DNS records.
### Clear Bad Data in the Unbound ConfigMap
Unbound stores records it obtains from DHCP, SLS, and SMD via the Manager job in a ConfigMap. It is possible to clear this ConfigMap and allow the next Manager job to regenerate the content.
This is useful in the following cases:
- A transient failure in any Unbound process or required services has left the configuration data in a bad state.
- SLS and SMD data needed to be reset because of bad or incorrect data there.
- DHCP \(Kea\) has been restarted to clear errors.
The following clears the \(DNS Helper\) Manager generated data in the ConfigMap. This is generally safe as Unbound runtime data is held elsewhere.
```bash
ncn-w001# kubectl -n services patch configmaps cray-dns-unbound \
--type merge -p '{"binaryData":{"records.json.gz":"H4sICLQ/Z2AAA3JlY29yZHMuanNvbgCLjuUCAETSaHADAAAA"}}'
```
### Change the Site DNS Server
Use the following procedure to change the site DNS server that Unbound forwards queries to. This may be necessary if the site DNS server is moved to a different IP address.
1. Edit the `cray-dns-unbound` ConfigMap.
```bash
ncn-m001# kubectl -n services edit configmap cray-dns-unbound
```
Update the `forward-zone` value in `unbound.conf`.
```yaml
forward-zone:
name: .
forward-addr: 172.30.84.40
```
Multiple DNS servers can be defined if required.
```yaml
forward-zone:
name: .
forward-addr: 172.30.84.40
forward-addr: 192.168.0.1
```
1. Restart `cray-dns-unbound` for this change to take effect.
```bash
ncn-m001# kubectl -n services rollout restart deployment cray-dns-unbound
deployment.apps/cray-dns-unbound restarted
```
1. Update `customizations.yaml`.
**IMPORTANT:** If this step is not performed, then the Unbound configuration will be overwritten with the previous value the next time CSM or Unbound is upgraded.
1. Extract `customizations.yaml` from the `site-init` secret in the `loftsman` namespace.
```bash
ncn-m001# kubectl -n loftsman get secret site-init -o json | jq -r '.data."customizations.yaml"' | base64 -d > customizations.yaml
```
1. Update `system_to_site_lookups` with the value of the new DNS server.
```yaml
spec:
network:
netstaticips:
system_to_site_lookups: 172.30.84.40
```
If multiple DNS servers are required, add the additional servers into the `cray-dns-unbound` service configuration.
```yaml
spec:
kubernetes:
services:
cray-dns-unbound:
forwardZones:
- name: "."
forwardIps:
- "{{ network.netstaticips.system_to_site_lookups }}"
- "192.168.0.1"
domain_name: '{{ network.dns.external }}'
```
1. Update the `site-init` secret in the `loftsman` namespace.
```bash
ncn-m001# kubectl delete secret -n loftsman site-init
ncn-m001# kubectl create secret -n loftsman generic site-init --from-file=customizations.yaml
```
| 45.199115 | 339 | 0.720607 | eng_Latn | 0.979628 |
87cbd653c32dfe0e0ac806e3065bc9699860006a | 593 | md | Markdown | _posts/2018-06-06-Edicion_online_latex.md | crdguez/crdguez.github.io | a846ae6842d93e07bed55b590ed0da1d7a69cf2d | [
"MIT"
] | null | null | null | _posts/2018-06-06-Edicion_online_latex.md | crdguez/crdguez.github.io | a846ae6842d93e07bed55b590ed0da1d7a69cf2d | [
"MIT"
] | null | null | null | _posts/2018-06-06-Edicion_online_latex.md | crdguez/crdguez.github.io | a846ae6842d93e07bed55b590ed0da1d7a69cf2d | [
"MIT"
] | null | null | null | ---
layout: post
title: Edición online de (\( \LaTeX \))
tags: Tex, Latex
mathjax: true
eye_catch:
---
A veces me pasa que quiero hacer una pequeña modificación de un documento \LaTeX desde un ordenador conectado a internet
y ver reflejado ese cambio en el pdf.
Desde GitHub no podemos compilar la modificación.
Sin embargo, desde [https://latexonline.cc/](https://latexonline.cc/) podremos salir del paso, solo tendremos que poner
la ruta de enlace al fichero *.tex* modificado desde el navegador.
Luego cuando tenga acceso a mi ordenador habitual ya haré el *git pull* correspondiente
| 32.944444 | 120 | 0.765599 | spa_Latn | 0.990934 |
87cdad7f9df1ec3235b115b8b9f3ea914055e345 | 391 | md | Markdown | documentation/README.md | jorisvervuurt/JVSDisplayOTron | c8f9bfdbf4e2658bb12fc83bbf49853c938e7dcc | [
"MIT"
] | 33 | 2015-09-15T10:55:57.000Z | 2021-02-25T22:41:44.000Z | documentation/README.md | jorisvervuurt/JVSDisplayOTron | c8f9bfdbf4e2658bb12fc83bbf49853c938e7dcc | [
"MIT"
] | 2 | 2015-09-08T16:08:04.000Z | 2015-10-26T21:39:42.000Z | documentation/README.md | jorisvervuurt/JVSDisplayOTron | c8f9bfdbf4e2658bb12fc83bbf49853c938e7dcc | [
"MIT"
] | 1 | 2018-09-05T18:00:12.000Z | 2018-09-05T18:00:12.000Z | ## JVSDisplayOTron documentation
This folder contains documentation for JVSDisplayOTron:
* `dot3k` - documentation for the components used for controlling the Display-O-Tron 3000
* `dothat` - documentation for the components used for controlling the Display-O-Tron HAT
* `shared` - documentation for the shared components used for controlling the Display-O-Tron 3000 and Display-O-Tron HAT
| 55.857143 | 120 | 0.805627 | eng_Latn | 0.988986 |
87cdc0b62ac5194312615dc932e7cbeaa4b4c562 | 2,196 | md | Markdown | results/headphonecom/sbaf-serious/Shure SE215/README.md | M0Rf30/AutoEq | 5f296debab6e6251659c346f3ee33b8f1b5a2aaa | [
"MIT"
] | 1 | 2020-02-19T16:59:27.000Z | 2020-02-19T16:59:27.000Z | results/headphonecom/sbaf-serious/Shure SE215/README.md | M0Rf30/AutoEq | 5f296debab6e6251659c346f3ee33b8f1b5a2aaa | [
"MIT"
] | null | null | null | results/headphonecom/sbaf-serious/Shure SE215/README.md | M0Rf30/AutoEq | 5f296debab6e6251659c346f3ee33b8f1b5a2aaa | [
"MIT"
] | null | null | null | # Shure SE215
See [usage instructions](https://github.com/jaakkopasanen/AutoEq#usage) for more options.
### EqualizerAPO
In case of using EqualizerAPO without any GUI, replace `C:\Program Files\EqualizerAPO\config\config.txt`
with:
```
Preamp: -5.8dB
GraphicEQ: 21 -5.5; 23 -5.5; 25 -5.5; 28 -5.6; 31 -5.6; 34 -5.7; 37 -5.7; 41 -5.8; 45 -6.0; 49 -6.1; 54 -6.3; 60 -6.5; 66 -6.7; 72 -6.9; 79 -7.1; 87 -7.3; 96 -7.4; 106 -7.5; 116 -7.5; 128 -7.5; 141 -7.5; 155 -7.5; 170 -7.3; 187 -7.1; 206 -6.8; 227 -6.4; 249 -6.0; 274 -5.5; 302 -4.9; 332 -4.3; 365 -3.7; 402 -3.1; 442 -2.5; 486 -2.0; 535 -1.3; 588 -0.8; 647 -0.2; 712 0.2; 783 0.4; 861 0.4; 947 0.2; 1042 -0.2; 1146 -0.4; 1261 -1.0; 1387 -2.5; 1526 -3.5; 1678 -4.4; 1846 -5.1; 2031 -5.5; 2234 -5.6; 2457 -4.4; 2703 -1.9; 2973 1.0; 3270 3.5; 3597 4.4; 3957 2.2; 4353 -2.7; 4788 -7.4; 5267 -2.3; 5793 4.2; 6373 5.5; 7010 2.5; 7711 0.3; 8482 0.0; 9330 -0.2; 10263 -0.1
```
### HeSuVi
HeSuVi 2.0 ships with most of the pre-processed results. If this model can't be found in HeSuVi add
`Shure SE215 GraphicEQ.txt` to `C:\Program Files\EqualizerAPO\config\HeSuVi\eq\custom\` folder.
Set volume attenuation in the Connection tab for both channels to **-58**.
### Peace
In case of using Peace, click *Import* in Peace GUI and select `Shure SE215 ParametricEQ.txt`.
### Parametric EQs
In case of using other parametric equalizer, apply preamp of **-6.4dB** and build filters manually
with these parameters. The first 5 filters can be used independently.
When using independent subset of filters, apply preamp of **-0.1dB**.
| Type | Fc | Q | Gain |
|:--------|:---------|:-----|:---------|
| Peaking | 33 Hz | 0.27 | -5.3 dB |
| Peaking | 134 Hz | 0.76 | -4.5 dB |
| Peaking | 263 Hz | 1.34 | -2.9 dB |
| Peaking | 1978 Hz | 2.72 | -6.3 dB |
| Peaking | 22050 Hz | 2.6 | -3.0 dB |
| Peaking | 802 Hz | 3.23 | 1.4 dB |
| Peaking | 2466 Hz | 4.41 | -2.9 dB |
| Peaking | 3573 Hz | 2.74 | 6.7 dB |
| Peaking | 4802 Hz | 4.06 | -10.6 dB |
| Peaking | 6077 Hz | 4 | 7.9 dB |
 | 57.789474 | 665 | 0.614299 | eng_Latn | 0.506612 |
14365863610d46ea0c3b6c3b1356123d0da5351b | 994 | md | Markdown | README.md | pavandasilva/Lanchonete | a79da9933a35930d9d65dc474bf42996c33bf493 | [
"MIT"
] | null | null | null | README.md | pavandasilva/Lanchonete | a79da9933a35930d9d65dc474bf42996c33bf493 | [
"MIT"
] | null | null | null | README.md | pavandasilva/Lanchonete | a79da9933a35930d9d65dc474bf42996c33bf493 | [
"MIT"
] | null | null | null | ## Resumo
Sistema de Cadastro de Produtos, Clientes e Vendas feito em Delphi.
## Banco de Dados
Firebird com DBExpress
## Detalhes do Projeto
<p>Busca, Cadastro, edição e remoção de clientes - <b>OK</b></p>
<p>Busca, Cadastro, edição e remoção de produtos - <b>OK</b></p>
<p>Pedido para Entrega - <b>OK</b></p>
<p>Relatório de Vendas - <b>OK</b></p>
<p>Impressão e criação de logs de Vendas - <b>OK</b></p>
<p>Impressão e criação de logs de pedidos para entrega - <b>OK</b></p>
<p>Tela de Configurações de Banco de dados e Loja- <b>OK</b></p>
<p>Pedido no Balcão - <b>Em Breve</b></p>
<p>Gerenciamento de Mesas - <b>Em Breve</b></p>
<p>Sistema De Login - <b>Em Breve</b></p>
## Tempo de Desenvolvimento
58 HORAS.
## Keywords
Programação Orientada a Objetos, Delphi, DBExpress, arquivo INI, Printer, SQL, Firebird, SqlQuery, SqlConnection, Pascal.
| 41.416667 | 121 | 0.591549 | por_Latn | 0.99428 |
1436f33e28142741ac6aca2aa7ed623ba1a0205b | 1,445 | markdown | Markdown | README.markdown | ripter/jquery.rating | 6c7fe19b0a5a1711ac0853143479515bd1cd4ce3 | [
"MIT"
] | 2 | 2015-12-26T09:31:37.000Z | 2016-07-21T06:21:01.000Z | README.markdown | ripter/jquery.rating | 6c7fe19b0a5a1711ac0853143479515bd1cd4ce3 | [
"MIT"
] | null | null | null | README.markdown | ripter/jquery.rating | 6c7fe19b0a5a1711ac0853143479515bd1cd4ce3 | [
"MIT"
] | 3 | 2015-01-13T07:46:09.000Z | 2016-03-18T06:35:57.000Z | # jquery.rating
## Turns a select input element into a rating control.
An easy to use rating control. It takes a normal select box, and turns it into a rating that your users can click on. The select box is preserved so you can still bind on change, get, and set the value in the rating control. The image is controlled with CSS and a simple gif, so you can make it look like anything you need.
<select class="rating">
<option value="0">Did not like</option>
<option value="1">Ok</option>
<option value="2" selected="selected">Liked</option>
<option value="3">Loved!</option>
</select>
$(".rating").rating();
The select box is now replaced with the rating control. Each option you put in the select box is turned into a star, so you can easily have as many stars as you want. The value you set is the value that is returned for the selected star. The text becomes the title on the star.
You can turn the cancel button on and off, and change the value of the cancel button by passing it when you create the rating control. $(".rating").rating({showCancel: true, cancelValue: null,})
Available Options:
* showCancel: true : Should the cancel button be shown?
* cancelValue: null : If cancel button is shown, what should it's value be?
* startValue: null : If no property has the 'selected' attribute, what value should be displayed?
* cancelTitle: "Cancel" : The title for the cancel button.
| 51.607143 | 323 | 0.724567 | eng_Latn | 0.998997 |
14375f5d039d967d185dcae3b836bbd1869cb13c | 991 | md | Markdown | Documentation/Architecture/Networking/INetworkHandler.md | StephenHodgson/MixedRealityToolkit-Unity | 6181ea5247c89423ef6739e426f821f5b1598710 | [
"MIT"
] | 4 | 2018-10-26T20:33:40.000Z | 2019-09-24T22:58:36.000Z | Documentation/Architecture/Networking/INetworkHandler.md | StephenHodgson/MixedRealityToolkit-Unity | 6181ea5247c89423ef6739e426f821f5b1598710 | [
"MIT"
] | 13 | 2017-10-10T18:26:02.000Z | 2018-10-27T15:12:13.000Z | Documentation/Architecture/Networking/INetworkHandler.md | StephenHodgson/MixedRealityToolkit-Unity | 6181ea5247c89423ef6739e426f821f5b1598710 | [
"MIT"
] | 5 | 2017-10-16T19:17:46.000Z | 2018-09-21T06:45:51.000Z | # IMixedRealityNetworkingHandler<T> Interface
### OnDataReceived()
| Type |
| --- |
| `BaseNetworkingEventData<T>` eventData |
Is triggered by incoming data and includes eventData as a parameter.
Data can be accessed by using `eventData.value` which will be in the type specified in the parameter.
In order to receive data of a particular type, one must implement that variant of INetworkHandler interface and use the same overload of `OnDataReceived()` and the handler must be registered with the `IMixedRealityNetworkSystem`.
## Example usage:
```C#
public class NetworkHandler : MonoBehaviour,
IMixedRealityNetworkingHandler<float>
IMixedRealityNetworkingHandler<Vector3>
{
public void OnDataReceived(BaseNetworkingEventData<float> eventData)
{
Debug.Log($"Received {eventData.Data.ToString()}");
}
public void OnDataReceived(BaseNetworkingEventData<Vector3> eventData)
{
Debug.Log($"Received {eventData.Data.ToString()}");
}
}
``` | 30.96875 | 229 | 0.745711 | eng_Latn | 0.491047 |
14383051d21a72a5a08b3a489bb1faa99ca161e6 | 2,263 | markdown | Markdown | xap100net/modeling-your-data.markdown | evgenyf/gigaspaces-wiki-jekyll | ad326cbade01a057dc35bda607c527875bc90862 | [
"Apache-2.0"
] | null | null | null | xap100net/modeling-your-data.markdown | evgenyf/gigaspaces-wiki-jekyll | ad326cbade01a057dc35bda607c527875bc90862 | [
"Apache-2.0"
] | null | null | null | xap100net/modeling-your-data.markdown | evgenyf/gigaspaces-wiki-jekyll | ad326cbade01a057dc35bda607c527875bc90862 | [
"Apache-2.0"
] | null | null | null | ---
layout: post100
title: Modeling your Data
categories: XAP100NET
parent: programmers-guide.html
weight: 300
---
{%wbr%}
{%section%}
{%column width=10% %}

{%endcolumn%}
{%column width=90% %}
Modeling your objects that are used to interact with the space.
{%endcolumn%}
{%endsection%}
<hr/>
- [Space Object ID](./poco-object-id.html){%wbr%}
When a new object is inserted into the space, it embeds a unique ID - called the UID. The UID can be generated explicitly by the client using a unique value generated by the application business logic or using a sequencer running within the space.
- [Annotation based Metadata](./pono-annotation-overview.html){%wbr%}
The XAP API supports class and properties decorations with POJOs. These can be specified via annotations on the space class source itself. You can define common behavior for all class instances, and specific behavior for class fields.
- [XML based Metadata](./pono-xml-metadata-overview.html){%wbr%}
Class and properties decorations for POJOs can be specified via an external xml file accompanied with the class byte code files located within the jar/war. You can define common behavior for all class instances, and specific behavior for class fields.
- [Storage Types](./poco-storage-type.html){%wbr%}
To reduce the memory footprint of the objects stored in space, different storage types can be defined for individual properties of a space class. Object properties can be assigned a storage type decoration which determines how it is serialized and stored in the space.
- [Type Discovery](./poco-type-discovery.html){%wbr%}
Controlling data type discovery.
- [Routing Property](./routing-in-partitioned-spaces.html){%wbr%}
A partitioned space provides the ability to perform space operations against multiple spaces from a single proxy transparently. The primary goal of the partitioned space is to provide unlimited In-Memory space storage size and group objects into the same partition to speed up performance. The initial intention is to write data into the partitioned space, and route query operations based on the template data. In order to accomplish that, a routing property can be defined on the entry type.
<hr/>
| 52.627907 | 493 | 0.779938 | eng_Latn | 0.995192 |
14385c69ee03f84a3c8fad799dbacb4de9061373 | 6,336 | md | Markdown | doc/Plugins/HowToCreatePlugin.md | frank-spec/NiceHashMiner | 56d70d09e132e9df8d1568cef53a14b2278f609b | [
"MIT"
] | 2,470 | 2015-10-30T04:21:56.000Z | 2022-03-31T21:29:30.000Z | doc/Plugins/HowToCreatePlugin.md | frank-spec/NiceHashMiner | 56d70d09e132e9df8d1568cef53a14b2278f609b | [
"MIT"
] | 2,305 | 2015-10-28T13:33:11.000Z | 2022-03-29T16:44:26.000Z | doc/Plugins/HowToCreatePlugin.md | frank-spec/NiceHashMiner | 56d70d09e132e9df8d1568cef53a14b2278f609b | [
"MIT"
] | 944 | 2015-10-25T18:17:56.000Z | 2022-03-29T10:09:28.000Z | # How to create a new plugin
This document is meant for developers that want to integrate a non-existing plugin into NiceHash Miner.
<h2 id="setup">Setup</h2>
To start with the new plugin project you have to first clone <a href="https://github.com/nicehash/NiceHashMiner">NiceHash Miner project</a> to your development machine.
After that you can open the project in your favourite IDE (we suggest VisualStudio - instructions will be based on using this IDE).
Plugins are located in `NiceHashMiner/src/Miners`. When you open solution file you will see directory straight away. <br>
<img src="../../Resources/solution_directory.PNG" height="400"/> <br>
There you can see all available plugins which can serve as example.
<h2 id="create">Create a project</h2>
Inside Miners directory add new project.
Specifications for project are:
<li>Console App (.NET Core)</li>
<li>Location inside <u>NiceHashMiner/src/Miners</u> directory</li>
After you have successfully added the new plugin project right click on it and select `Edit project file`.
Then you change `PropertyGroup` to the following:
```
<PropertyGroup>
<TargetFrameworks>netstandard2.0</TargetFrameworks>
<PlatformTarget>x64</PlatformTarget>
</PropertyGroup>
```
Saving that prompts you to reload the project. After that you are ready to start writing code.
*Note: If you prefer using command line please check following tutorials about <a href="https://docs.microsoft.com/en-us/visualstudio/msbuild/walkthrough-creating-an-msbuild-project-file-from-scratch?view=vs-2019">creating</a> and <a href="https://docs.microsoft.com/en-us/visualstudio/msbuild/walkthrough-using-msbuild?view=vs-2019">building</a> a project.*
<h2 id="code">Implement miner plugin</h2>
For working plugin you will need 2 classes: Miner and Plugin.
<li>Plugin class is used for registering a plugin</li>
<li>Miner class is used to implement required functionalities for miner instances</li>
</p>Bare minimum example of plugin is written in <a href="../../src/Miners/__DEV__ExamplePlugin">Example Plugin</a> project. The <a href="../../src/Miners/__DEV__ExamplePlugin/ExamplePlugin.cs">Plugin</a> file contains implementation of IMinerPlugin interface for registration and creation of the plugin instance. The <a href="../../src/Miners/__DEV__ExamplePlugin/ExampleMiner.cs">Miner</a> file contains implementation of IMiner interface, providing required functionalities.</p>
<p>It is <b>recommended</b> to use <b>MinerPluginToolkitV1</b> as this will enable full integration with NiceHash Miner. It will save time developing it and enable implementation of additional advanced features (extra launch parameters, re-benchmark algorithms on device, etc.).<br>
Example:
```
public override IEnumerable<string> CheckBinaryPackageMissingFiles()
{
var pluginRootBinsPath = GetBinAndCwdPaths().Item2;
return BinaryPackageMissingFilesCheckerHelpers.ReturnMissingFiles(pluginRootBinsPath, new List<string> { "miner.exe" });
}
```
*This MinerPluginToolkitV1 function allows developer to easly check if all important files were downloaded successfully.*
If you are writing a plugin we highly recommend that you use MinerPluginToolkitV1. All miner plugins that are developed by NiceHash miner dev team are using MinerPluginToolkitV1. For example you can check <a href="../../src/Miners/GMiner">GMiner Plugin</a>.</p>
<p>MinerPluginToolkitV1 also enables creation of <b>Background Services</b>, check out <a href="../../src/NHMCore/Mining/Plugins/EthlargementIntegratedPlugin.cs">Ethlargement plugin</a> for example.</p>
*NOTE: Major plugin versions are raised with the new algorithm, while minor versions on every update.*
<h2 id="test">Test implementation</h2>
When you have implemented your plugin, you would like to test if it works. This can be easly done by using integrated plugins system. You can add your new plugin inside <a href="../../src/NHMCore/Mining/Plugins/MinerPluginsManager.cs">MinerPluginsManager.cs</a> <b>MinerPluginsManager</b> constructor like this:
```
static MinerPluginsManager()
{
_integratedPlugins = new List<IMinerPlugin>
{
new yourName.yourNamePlugin(),
...
}
```
By doing this, you integrate your plugin which allows it to be downloaded and included at the start of NiceHash Miner program. This is the easiest way to test if your implemenation works like it should.<br>
Rebuild the program and test your plugin.
<h2 id="release">How to release a program</h2>
When you have working miner plugin, head to <a href="https://miner-plugins.nicehash.com">Miner Plugin Author</a> website where you will have to login. <br>
In the page you will have option to create new or update existing plugins.
You can create new one by clicking on `ADD PLUGIN` button. This redirects you to the following form:<br>
<img src="../../Resources/new_plugin.PNG" height="400"/> <br>
In the first step you can fill all fields except Plugin Package URL.<br>
*NOTE: Miner Package URL is a link to the archive with the miner executable.<br>
Also check which versions are supported by the latest clients. This can be checked in the <a href="../../src/NHM.MinerPluginToolkitV1/Checkers.cs">Checkers.cs</a> file, inside `_supportedMajorVersions` array.*<br>
**WARNING: Do not tick the `Enable` checkbox.**<br>
When you click `SAVE` new plugin will be created and added to your list. If you select `EDIT` you will be able to copy newly created plugin ID. Copy it and replace the current `PluginUUID` in your MinerPlugin implementation (Plugin class) => this step is needed for successfull binding. <br><br>
After that you can create a release library version of the plugin. When you create release build your library version will be saved to `PluginDirectory/obj/Release/net45` with name `PluginName.dll`.
Create zip or 7z archive of the dll file.<br>
Upload newly created archive to reachable server and fill the `Plugin Package URL` field in the edit form on Miner Plugin Author website. <br>Now you can tick the `Enable` checkbox.
Double check if you have filled every field, and that both Plugin and Miner package URLs are reachable. Then you can save the plugin.<br>
Now your plugin is released and accessible for the NiceHash Miner users to download (Miner Plugin Author cache gets updated every 30 minutes so it might not be instant accessible). | 66.694737 | 481 | 0.773832 | eng_Latn | 0.973363 |
143878504b08a42dbe3b06f4f3fcc048b774f0c6 | 3,465 | md | Markdown | _posts/2012-08-14-blog-post-1.md | ChenyangShi/ChenyangShi.github.io | 07518c6c69bac92fef24634f759d9deee7ef3b82 | [
"MIT"
] | null | null | null | _posts/2012-08-14-blog-post-1.md | ChenyangShi/ChenyangShi.github.io | 07518c6c69bac92fef24634f759d9deee7ef3b82 | [
"MIT"
] | null | null | null | _posts/2012-08-14-blog-post-1.md | ChenyangShi/ChenyangShi.github.io | 07518c6c69bac92fef24634f759d9deee7ef3b82 | [
"MIT"
] | null | null | null | ---
title: 'Internet Searching Engine project'
date: 2018-05-30
permalink: /posts/2012/08/blog-post-1/
tags:
- Natural Language Processing
- Machine Learning
- Web Spider
---
This is a nlp project.
...
Project Requirements 1
---------------
Automatically download at least 500 English documents/web pages and 50 Chinese documents/web pages through the download engine (Web Crawler/Spider). Keep the original document/web backup (eg News_1_Org.txt).
Programming automatically preprocesses the downloaded document:
1. Characterize each word to complete the operation of deleting special characters.
2. Investigate and select appropriate Chinese word segmentation techniques and tools to implement Chinese word segmentation. See "Lucene tokenizer comparison"
3. Delete English stop words (Stop Word)
4. Delete Chinese stop words
5. Call or program to implement Porter Stemming function
6. Characterize the Chinese document, which can be indexed by the search engine.
7. For the English document, after the above processing, the simplified document formed after processing (for example, News_1_E.txt) is saved for later index processing.
8. For Chinese documents, after the above processing, the simplified documents formed after processing are saved (for example, News_1_C.txt) for later index processing.
**Notes:**
Integrate all steps as much as possible into a complete automation system. If not, program each step (module) and pass the results using an intermediate file.
The download engine has extra points if it is written by itself.
Try to download and process more pages for later search.
Use the stop vocabulary provided, or the stop vocabulary generated by yourself based on different apps.
Requirements 2
--------------
Establish and implement a text search function
1. Use / call the open source search engine Lucene or Lemur to implement a text search engine. Check the relevant information to install the software.
2. Search and implement search function on 500 pre-processed English and Chinese documents/web pages.
3. Index the document through the above software, and then enter the keyword through the front interface or the provided interface to display the search function.
4. The front desk can be displayed via web form, application form, or using existing interface tools.
5. English search must be implemented. The Chinese search function is available as an option.
Comparing similarities between documents
1. The similarity between any two documents is calculated by the Cosine Distance. List the original text of the document and give the similarity value.
Clustering the downloaded documents using the K-Means clustering algorithm
1. Gather the downloaded 500 Chinese/English documents into 20 categories and display the three largest classes formed after clustering, and the representative documents in each class (ie, the five closest to the class center) Documentation).
2. The distance calculation formula can use cosine distance or Euclidean metric.
Codes
-------
project codes are [here](https://github.com/olivia-shi/olivia-shi.github.io/tree/master/NLP)
Report
-------
Chinese version is here: [nlp1](https://olivia-shi.github.io/files/Project-textPreprocess.pdf), [nlp2](https://olivia-shi.github.io/files/Project-textSimilarity.pdf)
| 54.140625 | 246 | 0.754113 | eng_Latn | 0.996331 |
14388487bbb986dab889f2464b73284cb305f05e | 6,170 | md | Markdown | _posts/2019-02-26-Download-piaggio-fly-125-2010-instruction-manuals.md | Anja-Allende/Anja-Allende | 4acf09e3f38033a4abc7f31f37c778359d8e1493 | [
"MIT"
] | 2 | 2019-02-28T03:47:33.000Z | 2020-04-06T07:49:53.000Z | _posts/2019-02-26-Download-piaggio-fly-125-2010-instruction-manuals.md | Anja-Allende/Anja-Allende | 4acf09e3f38033a4abc7f31f37c778359d8e1493 | [
"MIT"
] | null | null | null | _posts/2019-02-26-Download-piaggio-fly-125-2010-instruction-manuals.md | Anja-Allende/Anja-Allende | 4acf09e3f38033a4abc7f31f37c778359d8e1493 | [
"MIT"
] | null | null | null | ---
layout: post
comments: true
categories: Other
---
## Download Piaggio fly 125 2010 instruction manuals book
Piaggio fly 125 2010 instruction manuals the two or three hundred partyers, since there were no hangers; there was instead a small teeth, when there is a supply of it. " "Not long. " remote control. " Crawford looked over to Lang and thought he saw tears, that's why I'm here, but she the center of my life from here on. Hound shrugged. Well, perhaps, and his frame seemed to have shed a burden of years, she said. Sure, and Old Yeller piaggio fly 125 2010 instruction manuals between them, stonelayer, in the twilight, and newspapers featured his photograph in most stories. His head appeared too large for his body, I lost it. They fix faucets, Leilani. The odds against piaggio fly 125 2010 instruction manuals phenomenal eleven-card draw must be millions to one, Jean emitted an audible sigh of relief. Twinkling blue eyes, and I was no stranger to the wind, so circumference of each iris. After a while she looked up at him. She had often brooded about the fragility of life, crushing him under felt guilt and knew he was aware of this, and said he was buried deep under there, I asked about her cooking. Although, as it should be, expressions. "вto talk about itв" looked him up and down and said, pale pink "Please," I muttered. Or the kid might have been placed for adoption through some baby brokerage in it strictly for the money? together as if with fine-draw stitches. You've no connection to the place. " (32) But the Khalif blandished him and conjured piaggio fly 125 2010 instruction manuals, heedless piaggio fly 125 2010 instruction manuals his in spite of how looney life could sometimes be here in Casa Geneva, as an obstetrician, or the strength of the spell the girl had laid on him. Windchaser. Q: What happens when there's No Blade of Grass. "Can I help you?" he asked pleasantly. "Know, "it's dark, something stirred deep inside him as the nerves of his body reached out and sensed the energy surging around him--raw. " Celestina stared curiously at Tom Vanadium. txt Dutch, blue -- they could not have been have that within a single decade a number of vessels should sail that cavern was not on Roke, I can't put this any other way-it's you, Vanadium would have a motive. Farnhill's staff had given up trying to get the Chironians to provide an official list of who would be greeting the delegation? One of them had brown, either, ii. "No, Vanadium's leather ID holder ignited. "Why we must be in the cave of. Mary's, 'Let her be with thee till I complete to thee the rest of the price and take my slave-girl, not one, surely, and fill you with loathing for those cultural traditions that bind us and weigh us down and drown us in a sea of conformity, and autumn of 1967! " It was not until the latter half of the last century that a European comments. They were without exception medium to dark mahogany, Cass. He was certain that the The clatter-whump of the helicopter is gone; but the search will lack in this direction again in the rain, drawn by R. The palm of her left hand lay und Asia_, some Piaggio fly 125 2010 instruction manuals had been through a long hard trial and had taken a great chance against a great power, but she would never opening is allowed to remain open. His father, whereupon she made her stand behind the curtain and gave her to know that El Abbas was the king's son of Yemen and that these were his mamelukes, and he brought it off with great conviction. The spellbonds around his chest kept him from breathing deeply, so powerful and so tightly focused that it appears taking part piaggio fly 125 2010 instruction manuals any of the piaggio fly 125 2010 instruction manuals of the Society, striving to focus on good things like his full exemption from military service and his purchase of the Sklent painting. Colman looked over at Veronica! Hers is a clenched fist: continued beyond the point where the hair ends as an artificial in another world. He still had to get one more endorsement But now it seemed possible, cotton gardening gloves, a human monster-even worse, which pulses through the nipple into her greedy lips. " He glanced at the didn't change the world as you've changed it, now. didn't have a prayer. financial. "I have no art. refused to dwell on or even to lament adversities, people always made some little noise, seated himself at his head and bathed his face with rose-water, they soon became very troublesome by their minutes. " daughter and for you, known beforehand? "Ye gods and little fishes. Evidently this was "Thank you -- hello!" sitting cross-legged on the floor nursing her youngest, a mile from Jolene and Bill Klefton's place. That was a great game of Zorphwar we had yesterday, dispensing from description, The door had bounced piaggio fly 125 2010 instruction manuals when he kicked it shut after himself, presented to me a large, turning toward the lab? startled gaze, bleak in spite of its aggressive cheeriness, he was certain that she was dead, believing Clone. "I'll put her loose. Nevertheless the resemblance is so strong that he must be a how he might ever again trust anyone sufficiently to take the wedding Without breaking stride, but with a hint of reserve as if they wanted to smile but weren't quite sure if they should. I read in your resume that you were quite a student of survival. glamor of the place. "I can't. Sir Hugh Willoughby, like a slow motion movie. Go back to sleep. " with a red rose and a bottle of Merlot and with romance on his mind, piaggio fly 125 2010 instruction manuals grains from his eyelashes, most of the attending constabulary were county deputies, leave you physically ill. "Thanks. I'd never be able to spend a penny of it. made little spots of mud, before the river flowed most proud of the realization that he was such a profoundly sensitive person. She clenches her Coincidentally, partly by heating. interest expresses only in matters of survival, and quite a bit of oxygen into the atmosphere? I beg your pardon. pleash. Sorry and all that kind of thing, summoning me to him, for that the door was locked on me. | 685.555556 | 6,056 | 0.787358 | eng_Latn | 0.999955 |
1438beb7c35e86f411eac29a7fd60fdb15efb93f | 2,311 | md | Markdown | README.md | MarkusWeisser/HELM2WebService | 61982fd513e8308005500e28ded727c7eff17f27 | [
"MIT"
] | 3 | 2016-09-03T03:53:34.000Z | 2017-12-12T16:07:55.000Z | README.md | MarkusWeisser/HELM2WebService | 61982fd513e8308005500e28ded727c7eff17f27 | [
"MIT"
] | 12 | 2016-03-11T11:38:22.000Z | 2022-03-09T10:58:32.000Z | README.md | MarkusWeisser/HELM2WebService | 61982fd513e8308005500e28ded727c7eff17f27 | [
"MIT"
] | 3 | 2016-03-10T21:43:31.000Z | 2017-03-07T13:26:52.000Z | HELM2WebService
How to install on Tomcat version 8.0 or later versions:
1. Download HELM2WebService war file at https://oss.sonatype.org/content/repositories/releases/org/pistoiaalliance/helm/helm2-webservice/2.2.0/helm2-webservice-2.2.0.war
2. Rename the war file to WebService.war
3. Copy WebService.war file to Tomcat webapps folder (e.g. C:\Program Files\Apache Software Foundation\Tomcat 9.0\webapps)
4. Helm Web Editor can be loaded in browser by using URL: http://localhost:8080/WebService/hwe
5. The Swagger page for the web service can be found at http://localhost:8080/WebService/HowToUse.html
The WebService.war file is given in publish.
To run this on tomcat or any other server, you have to add manually the ./helm repository to the server.
To call the WebService, here are some examples using java.
protected static Response validation(String notation) throws URISyntaxException {
String extendedURL = "/Validation";
URI uri = new URIBuilder(url + extendedURL).build();
Client client = ClientBuilder.newClient().register(JacksonFeature.class);
client.target(uri);
Form f = new Form();
f.add("HELMNotation", notation);
return client.target(uri).request().post(Entity.entity(f, MediaType.APPLICATION_FORM_URLENCODED), Response.class);
}
protected static Response convertStandard(String notation) throws URISyntaxException {
String extendedURL = "/Conversion/Canonical";
URI uri = new URIBuilder(url + extendedURL).build();
Client client = ClientBuilder.newClient().register(JacksonFeature.class);
client.target(uri);
Form f = new Form();
f.add("HELMNotation", notation);
return client.target(uri).request().post(Entity.entity(f, MediaType.APPLICATION_FORM_URLENCODED), Response.class);
}
protected static Response convertInput(String notation) throws URISyntaxException {
String extendedURL = "/Conversion/Standard";
URI uri = new URIBuilder(url + extendedURL).build();
Client client = ClientBuilder.newClient().register(JacksonFeature.class);
client.target(uri);
Form f = new Form();
f.add("HELMNotation", notation);
return client.target(uri).request().post(Entity.entity(f, MediaType.APPLICATION_FORM_URLENCODED), Response.class);
}
| 43.603774 | 170 | 0.734747 | eng_Latn | 0.336464 |
14394c9a60a8cba3767895917d0b920270a92b76 | 796 | md | Markdown | README.md | K-Phoen/node-alchemyapi | 448df1519cc40baec17db73d57e794e7317d66f4 | [
"Apache-2.0"
] | null | null | null | README.md | K-Phoen/node-alchemyapi | 448df1519cc40baec17db73d57e794e7317d66f4 | [
"Apache-2.0"
] | null | null | null | README.md | K-Phoen/node-alchemyapi | 448df1519cc40baec17db73d57e794e7317d66f4 | [
"Apache-2.0"
] | null | null | null | # node-alchemyapi
A node.js SDK for [AlchemyAPI](http://www.alchemyapi.com)
Basically the same as the [official one](https://github.com/alchemyapi/alchemyapi_node),
but with a few additions and improvements.
# Status
This project is **DEPRECATED** and should NOT be used.
If someone magically appears and wants to maintain this project, I'll gladly give access to this repository.
# Installation
```
npm install node-alchemyapi
```
# Usage
```javascript
var AlchemyAPI = require('node-alchemyapi'),
api = new AlchemyAPI('<YOUR API KEY>');
api.entities('url', 'https://github.com/K-Phoen/node-alchemyapi', {'sentiment': 1}, function(response) {
// do something
});
```
# License
This library is released under the Apache 2.0 license. See the bundled LICENSE
file for details.
| 22.742857 | 108 | 0.728643 | eng_Latn | 0.930449 |
14398c2a76f2b3ff931d153f14edbce8abb35675 | 1,229 | md | Markdown | README.md | oldweb-today/shepherd-client | 7e7f0920f1d04f21de0898076c6987392c8a6b78 | [
"Apache-2.0"
] | 6 | 2018-11-01T04:13:55.000Z | 2022-01-21T18:28:10.000Z | README.md | oldweb-today/shepherd-client | 7e7f0920f1d04f21de0898076c6987392c8a6b78 | [
"Apache-2.0"
] | 4 | 2020-04-16T13:05:44.000Z | 2021-09-01T06:28:06.000Z | README.md | oldweb-today/shepherd-client | 7e7f0920f1d04f21de0898076c6987392c8a6b78 | [
"Apache-2.0"
] | 2 | 2018-11-26T18:18:49.000Z | 2020-02-12T11:27:25.000Z | # shepherd-client
This modules provides the client side scripts necessary to run the new Webrecorder/oldweb-today browser system.
### Usage
To use the default setup, simply include the prebuilt [shepherd-client.bundle.js](dist/shepherd-client.bundle.js) and call `InitBrowserDefault()` function
This will initialize a remote browser on page load.
A basic setup might look as follows:
```html
<html>
<head>
<script src="/static/shepherd-client.bundle.js"></script>
<script>
InitBrowserDefault("{{ reqid }}", {"id": "browser"});
</script>
</head>
<body>
<div id="browser"></div>
</body>
</html>
```
The `reqid` is an id of a requested browser from shepherd. It can be passed in from a server (the default)
or created dynamically using the Shepherd API.
*TODO: add more docs on how to use!*
### Building
To build the bundle (requires Node), run:
```bash
yarn install
yarn run build
```
(To build debug-friendly bundle run `yarn run build-dev`)
### Importing Module
To embed a remote/containerized browser into an existing application,
you can import the node module and use the CBrowser class:
```
import CBrowser from 'shepherd-client/src/browser';
...
let cb = new CBrowser(...)
```
| 22.345455 | 154 | 0.710334 | eng_Latn | 0.970089 |
143a0fc34c2449f8b700d8e56bd33b9a837ee8db | 596 | md | Markdown | docs/FencesRequestDTO.md | mrgdh2016/conti-edge | 761fe9a4524ec865604944e3b122b72c99c09e30 | [
"Apache-2.0"
] | null | null | null | docs/FencesRequestDTO.md | mrgdh2016/conti-edge | 761fe9a4524ec865604944e3b122b72c99c09e30 | [
"Apache-2.0"
] | null | null | null | docs/FencesRequestDTO.md | mrgdh2016/conti-edge | 761fe9a4524ec865604944e3b122b72c99c09e30 | [
"Apache-2.0"
] | null | null | null | # ContiEdge.FencesRequestDTO
## Properties
Name | Type | Description | Notes
------------ | ------------- | ------------- | -------------
**address** | **String** | | [optional]
**allError** | [**[ObjectError]**](ObjectError.md) | | [optional]
**forwardURL** | **String** | | [optional]
**lat** | **Integer** | | [optional]
**lon** | **Integer** | | [optional]
**message** | **String** | | [optional]
**messageCode** | **String** | | [optional]
**radius** | **Integer** | | [optional]
**resultCode** | **Integer** | | [optional]
**vehicleGuid** | **String** | | [optional]
| 33.111111 | 67 | 0.498322 | yue_Hant | 0.152247 |
143a54d23fe76451efdb54e68f73db07fea2925c | 2,784 | md | Markdown | _drafts/demo-post.md | stevebaros/blog | d9d99aa7a7ee2f13146f4c5e1838b6f9a7a80b44 | [
"MIT"
] | 4 | 2021-06-09T18:01:24.000Z | 2022-03-31T03:17:55.000Z | _drafts/demo-post.md | stevebaros/blog | d9d99aa7a7ee2f13146f4c5e1838b6f9a7a80b44 | [
"MIT"
] | null | null | null | _drafts/demo-post.md | stevebaros/blog | d9d99aa7a7ee2f13146f4c5e1838b6f9a7a80b44 | [
"MIT"
] | 2 | 2018-10-22T08:36:37.000Z | 2022-03-31T03:18:23.000Z | ---
layout: post
title: Demo Post
description: Augmented World EXPO 2017 was held in Santa Clara, with 4700 attendee, 351 speakers, 212 exhibitors. AWE is the largest industrial exhibition in the field of Augmented Reality. Some Virtual Reality players attend the conference too. As the concept of AR getting more and more popular, it is time to check out how these concepts come to life. In this post, I will share some of the highlights that I saw during the EXPO.
tags:
published: false
---
This is a demo of all styled elements in Jekyll Now.
[View the markdown used to create this post](https://raw.githubusercontent.com/barryclark/www.jekyllnow.com/gh-pages/_posts/2014-6-19-Markdown-Style-Guide.md).
This is a paragraph, it's surrounded by whitespace. Next up are some headers, they're heavily influenced by GitHub's markdown style.
## Header 2 (H1 is reserved for post titles)##
### Header 3
#### Header 4
A link to [Jekyll Now](http://github.com/barryclark/jekyll-now/). A big ass literal link <http://github.com/barryclark/jekyll-now/>
An image, located within /images

* A bulletted list
- alternative syntax 1
+ alternative syntax 2
- an indented list item
1. An
2. ordered
3. list
Inline markup styles:
- _italics_
- **bold**
- `code()`
> Blockquote
>> Nested Blockquote
Syntax highlighting can be used with triple backticks, like so:
```javascript
/* Some pointless Javascript */
var rawr = ["r", "a", "w", "r"];
```
```cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConsoleApp2
{
class Program
{
static void Main(string[] args)
{
try
{
try
{
Console.WriteLine("Hello World!");
throw new Exception("");
}
catch (Exception)
{
Console.WriteLine("Hello World!");
throw;
}
finally
{
Console.WriteLine("Get's executed");
}
}
catch (Exception)
{
}
try
{
Console.WriteLine("Hello World!");
throw new Exception("");
}
catch (Exception)
{
Console.WriteLine("Hello World!");
throw;
}
finally
{
Console.WriteLine("Get's not executed!!!");
}
}
}
}
```
Use two trailing spaces
on the right
to create linebreak tags
Finally, horizontal lines
----
**** | 24.637168 | 435 | 0.583693 | eng_Latn | 0.948925 |
143af850c04627fc9c9712d93f23c50bf6bf8763 | 2,019 | md | Markdown | CHANGELOG.md | dominiksalvet/vhdl-depgen | 945bbe374b1912fc94d9b8ef71b44c74d8c67288 | [
"MIT"
] | 5 | 2019-06-16T13:48:09.000Z | 2021-05-17T00:33:23.000Z | CHANGELOG.md | dominiksalvet/vhdl-depgen | 945bbe374b1912fc94d9b8ef71b44c74d8c67288 | [
"MIT"
] | null | null | null | CHANGELOG.md | dominiksalvet/vhdl-depgen | 945bbe374b1912fc94d9b8ef71b44c74d8c67288 | [
"MIT"
] | null | null | null | # Changelog
All notable changes to vhdldep will be documented in this file.
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), and vhdldep adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
## Unreleased
The changes not yet present in any release are listed in this section.
## 2.2.0 (2021-02-11)
### Changed
* Adapt to new GitPack 1.0.0 installation format.
## 2.1.3 (2019-11-14)
### Added
* The support for GitHub Actions CI has been added.
### Changed
* Stop following REUSE Specification - Version 3.0.
* Error messages have been simplified and do not provide hint messages anymore.
## 2.1.2 (2019-10-26)
### Fixed
* No standard output is produced when a processed file does not exists.
* When any given file does not exists, vhdldep does not process further files.
## 2.1.1 (2019-08-21)
### Changed
* Meet REUSE Specification - Version 3.0.
## 2.1.0 (2019-07-04)
### Added
* Support for [GitPack](https://github.com/dominiksalvet/gitpack) has been added.
### Removed
* Support for gim has been removed.
* *Makefile* has been removed.
## 2.0.0 (2019-06-03)
### Added
* Argument parsing is done using `getopts`.
* Support for multiple VHDL statements at a single line.
### Changed
* Commands `-help`, `-about` have been renamed to `help`, `about`.
* Option `-object-dir=DIR` has been changed to `-p PATH` to be more POSIX-friendly.
* Vhdldep now keeps the original letter case.
* All input file paths can be arbitrary.
## 1.1.0 (2019-05-31)
### Added
* Installation and uninstallation using delivered *Makefile*.
### Changed
* This project licensing policy is compliant with [REUSE Practices](https://reuse.software/practices/2.0/).
* The project has been renamed from `vhdl-makedepend` to `vhdldep`.
* Vhdldep is now [gim](https://github.com/dominiksalvet/gim) ready.
* Move from GitLab to GitHub.
## 1.0.0 (2018-05-31)
### Added
* Display dependencies of multiple VHLD files.
* Support for setting up the object directory path.
| 23.752941 | 163 | 0.713224 | eng_Latn | 0.983797 |
143bd8bf9f02bafdc384903a2881e901a5d1a789 | 4,370 | md | Markdown | README.md | Haribook/docker-compose | 23758f0e1e7f3ba865171e6884837c46c171e706 | [
"Apache-2.0"
] | null | null | null | README.md | Haribook/docker-compose | 23758f0e1e7f3ba865171e6884837c46c171e706 | [
"Apache-2.0"
] | null | null | null | README.md | Haribook/docker-compose | 23758f0e1e7f3ba865171e6884837c46c171e706 | [
"Apache-2.0"
] | 1 | 2019-07-07T02:50:27.000Z | 2019-07-07T02:50:27.000Z | [](https://travis-ci.org/vegasbrianc/docker-compose-demo)
# docker-compose scaling web service demo
A short demo on how to use docker-compose to create a Web Service connected to a load balancer and a Redis Database. Be sure to check out my blog post on the full overview - [brianchristner.io](https://www.brianchristner.io/how-to-scale-a-docker-container-with-docker-compose/)
# Install
The instructions assume that you have already installed [Docker](https://docs.docker.com/installation/) and [Docker Compose](https://docs.docker.com/compose/install/).
In order to get started be sure to clone this project onto your Docker Host. Create a directory on your host. Please note that the demo webservices will inherit the name from the directory you create. If you create a folder named test. Then the services will all be named test-web, test-redis, test-lb. Also, when you scale your services it will then tack on a number to the end of the service you scale.
git clone https://github.com/vegasbrianc/docker-compose-demo.git .
# How to get up and running
Once you've cloned the project to your host we can now start our demo project. Easy! Navigate to the directory in which you cloned the project. Run the following commands from this directory
docker-compose up -d
The docker-compose command will pull the images from Docker Hub and then link them together based on the information inside the docker-compose.yml file. This will create ports, links between containers, and configure applications as requrired. After the command completes we can now view the status of our stack
docker-compose ps
Verify our service is running by either curlng the IP from the command line or view the IP from a web browser. You will notice that the each time you run the command the number of times seen is stored in the Redis Database which increments. The hostname is also reported.
###Curling from the command line
curl 0.0.0.0
Hello World!
I have been seen 1 times.
My Host name is 29c69c89417c
# Scaling
Now comes the fun part of compose which is scaling. Let's scale our web service from 1 instance to 5 instances. This will now scale our web service container. We now should run an update on our stack so the Loadbalancer is informed about the new web service containers.
docker-compose scale web=5
Now run our curl command again on our web services and we will now see the number of times increase and the hostname change. To get a deeper understanding tail the logs of the stack to watch what happens each time you access your web services.
docker-compose logs
Here's the output from my docker-compose logs after I curled my application 5 times so it is clear that the round-robin is sent to all 5 web service containers.
web_5 | 172.17.1.140 - - [04/Sep/2015 14:11:34] "GET / HTTP/1.1" 200 -
web_1 | 172.17.1.140 - - [04/Sep/2015 14:11:43] "GET / HTTP/1.1" 200 -
web_2 | 172.17.1.140 - - [04/Sep/2015 14:11:46] "GET / HTTP/1.1" 200 -
web_3 | 172.17.1.140 - - [04/Sep/2015 14:11:48] "GET / HTTP/1.1" 200 -
web_4 | 172.17.1.140 - - [04/Sep/2015 14:14:19] "GET / HTTP/1.1" 200 -
# Version 2 Compose File
Version 2 docker-compose file is now available. In order to use the 'docker-compose-v2.yml' file the command changes slightly. Run the below command to launch a version 2 compose project. This project is also slightly changed as the jwilder/nginx doesn't support the v2 format. The v2 is now running the HAproxy from dockercloud. A benefit of running the HAProxy from Dockercloud is it automatically detects the coming and going of containers and doesn't require any changes. Additionally, it also is compatabile with Docker Swarm.
Additional changes in the V2 compose file includes overlay networking. Now the containers have front and back networks. This allows to VLAN how the containers connect to each other. For example, the Front network is public facing while the back network is only internal traffic between the application and database.
Run the below command to launch a version 2 compose project in the foreground.
docker-compose -f docker-compose-v2.yml up
Open another terminal window to scale and run:
docker-compose -f docker-compose-v2.yml scale web=5
| 72.833333 | 531 | 0.760641 | eng_Latn | 0.998 |
143bde27c277074bdc11ff7b2d3d0bfac008330f | 1,086 | md | Markdown | content/post/2020-05-13.md | aquilax/quantified.avtobiografia.com | 142c230ab33b46d471732858fafeefbebf788803 | [
"MIT"
] | null | null | null | content/post/2020-05-13.md | aquilax/quantified.avtobiografia.com | 142c230ab33b46d471732858fafeefbebf788803 | [
"MIT"
] | null | null | null | content/post/2020-05-13.md | aquilax/quantified.avtobiografia.com | 142c230ab33b46d471732858fafeefbebf788803 | [
"MIT"
] | 2 | 2018-02-27T06:57:20.000Z | 2019-07-21T13:30:58.000Z | {
"date": "2020-05-13",
"type": "post",
"title": "Report for Wednesday 13th of May 2020",
"slug": "2020\/05\/13",
"categories": [
"Daily report"
],
"images": [],
"health": {
"weight": 78.9,
"height": 173,
"age": 14392
},
"nutrition": {
"calories": 1921.95,
"fat": 102.83,
"carbohydrates": 174.59,
"protein": 57.32
},
"exercise": {
"pushups": 0,
"crunches": 0,
"steps": 735
},
"media": {
"books": [],
"podcast": [],
"youtube": [],
"movies": [],
"photos": []
}
}
Today I am <strong>14392 days</strong> old and my weight is <strong>78.9 kg</strong>. During the day, I consumed <strong>1921.95 kcal</strong> coming from <strong>102.83 g</strong> fat, <strong>174.59 g</strong> carbohydrates and <strong>57.32 g</strong> protein. Managed to do <strong>0 push-ups</strong>, <strong>0 crunches</strong> and walked <strong>735 steps</strong> during the day which is approximately <strong>0.56 km</strong>. | 31.028571 | 436 | 0.53407 | eng_Latn | 0.686393 |
143bfe4a0038482a57d4030f67c5b1e4ad6061b1 | 1,358 | md | Markdown | api/Visio.Window.ID.md | CeptiveYT/VBA-Docs | 1d9c58a40ee6f2d85f96de0a825de201f950fc2a | [
"CC-BY-4.0",
"MIT"
] | 283 | 2018-07-06T07:44:11.000Z | 2022-03-31T14:09:36.000Z | api/Visio.Window.ID.md | CeptiveYT/VBA-Docs | 1d9c58a40ee6f2d85f96de0a825de201f950fc2a | [
"CC-BY-4.0",
"MIT"
] | 1,457 | 2018-05-11T17:48:58.000Z | 2022-03-25T22:03:38.000Z | api/Visio.Window.ID.md | CeptiveYT/VBA-Docs | 1d9c58a40ee6f2d85f96de0a825de201f950fc2a | [
"CC-BY-4.0",
"MIT"
] | 469 | 2018-06-14T12:50:12.000Z | 2022-03-27T08:17:02.000Z | ---
title: Window.ID property (Visio)
keywords: vis_sdr.chm11613675
f1_keywords:
- vis_sdr.chm11613675
ms.prod: visio
api_name:
- Visio.Window.ID
ms.assetid: bf05dfe0-b6c0-1ea9-7ce4-af2bd98bbecd
ms.date: 06/08/2017
ms.localizationpriority: medium
---
# Window.ID property (Visio)
Gets the ID of an object. Read-only.
## Syntax
_expression_.**ID**
_expression_ A variable that represents a **[Window](Visio.Window.md)** object.
## Return value
Long
## Remarks
For **Window** objects, the **ID** property can be used with the **ItemFromID** property of a **Windows** collection to retrieve a **Window** object from the collection without iterating through the collection. A **Window** object whose **Type** property is set to **visAnchorBarBuiltIn** returns an ID of **visWinIDCustProp**, **visWinIDDrawingExplorer**, **visWinIDFormulaTracing**, **visWinIDMasterExplorer**, **visWinIDPanZoom**, **visWinIDSizePos**, or **visWinIDStencilExplorer**. A **Window** object whose **Type** property is set to **visAnchorBarAddon** returns an ID that is unique within its **Windows** collection for the lifetime of that collection. If a **Window** object has an ID of **visInvalWinID**, you cannot use the **ItemFromID** property to retrieve the **Window** object from its collection.
[!include[Support and feedback](~/includes/feedback-boilerplate.md)] | 37.722222 | 816 | 0.745214 | yue_Hant | 0.616501 |
143c0d4264097cb3af7a559ed379472bc479ab23 | 1,919 | md | Markdown | README.md | techvein/send-fcm | 07a538adaa7f3bc1ebf78e22b6b72b698dcc24d3 | [
"BSD-3-Clause"
] | null | null | null | README.md | techvein/send-fcm | 07a538adaa7f3bc1ebf78e22b6b72b698dcc24d3 | [
"BSD-3-Clause"
] | null | null | null | README.md | techvein/send-fcm | 07a538adaa7f3bc1ebf78e22b6b72b698dcc24d3 | [
"BSD-3-Clause"
] | null | null | null | # send-fcm
Command line tool for Sending Firebase Cloud Messaging messages.
```
Usage: send-fcm.sh -r 'registration-token' -t 'title' -m 'message' [ -u 'data-url' ] [ -c 'type' ] [-h]
Options:
-t: Push notification message Title(required)
-m: Push notification Message body(required)
-r: Destination Registration token(required)
-u: Optional Url parameter
-c: Optional type parameter
-h: Show this Help.
-d: Dry run mode. Just print curl command without execution.
Environment Variables:
GOOGLE_APPLICATION_CREDENTIALS: Service account key JSON file. Please download from IAM page on your GCP project page.(required)
```
# Example:
## Send hello world to the registartion token "<REGISTRATION-TOKEN>".
```bash
GOOGLE_APPLICATION_CREDENTIALS=./my-project-ffffffff.json ./send-fcm -t 'sample' -m 'hello world' -r '<REGISTRATION-TOKEN>' -u 'https://www.tech-vein.com/'
```
## You can just generate curl command with dry run (-d) option.
```bash
GOOGLE_APPLICATION_CREDENTIALS=./my-project-ffffffff.json ./send-fcm -d -t 'sample' -m 'hello world' -r '<REGISTRATION-TOKEN>' -u 'https://www.tech-vein.com/'
```
this command generates:
```bash
curl 'https://fcm.googleapis.com/v1/projects/my-project/messages:send' \
--header 'Authorization: Bearer 'ya29.c.XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX' \
--header Content-Type:application/json \
-d '{ "message": { "token": "<REGISTRATION-TOKEN>", "notification": { "title": "sample", "body": "hello world"},"android": {"priority": "high"}, "data":{"url": "https://www.tech-vein.com/", "type": ""}}}'
```
# Prerequresites
- These command-line tools are required.
- [curl](https://curl.se/)
- [jq](https://stedolan.github.io/jq/)
- [Gcloud command-line tool](https://cloud.google.com/sdk/gcloud)
- Please download Service account key JSON file from your GCP project page. And then set the file path to GOOGLE_APPLICATION_CREDENTIALS.
| 43.613636 | 207 | 0.705576 | kor_Hang | 0.47764 |
143d8a8d3c83e146611ff38f6b583a3041f5f20e | 1,087 | md | Markdown | api/Word.Dictionaries.Maximum.md | RichardCory/VBA-Docs | 1240462311fb77ee051d4e8b7d7a434d7d020dd3 | [
"CC-BY-4.0",
"MIT"
] | 2 | 2020-03-09T13:24:12.000Z | 2020-03-09T16:19:11.000Z | api/Word.Dictionaries.Maximum.md | MarkFern/VBA-Docs | b84627cc8e24acfd336d1e9761a9ddd58f19d352 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | api/Word.Dictionaries.Maximum.md | MarkFern/VBA-Docs | b84627cc8e24acfd336d1e9761a9ddd58f19d352 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Dictionaries.Maximum property (Word)
keywords: vbawd10.chm162267138
f1_keywords:
- vbawd10.chm162267138
ms.prod: word
api_name:
- Word.Dictionaries.Maximum
ms.assetid: fa9f31e0-1965-5d96-568b-e0b8049127e3
ms.date: 06/08/2017
localization_priority: Normal
---
# Dictionaries.Maximum property (Word)
Returns the maximum number of custom or conversion dictionaries allowed. Read-only **Long**.
## Syntax
_expression_. `Maximum`
_expression_ Required. A variable that represents a '[Dictionaries](Word.dictionaries.md)' collection.
## Example
This example displays a message if the number of custom dictionaries is equal to the maximum number allowed. If the maximum number has not been reached, a custom dictionary named "MyDictionary.dic" is added.
```vb
If CustomDictionaries.Count = CustomDictionaries.Maximum Then
MsgBox "Cannot add another dictionary file"
Else
CustomDictionaries.Add "MyDictionary.dic"
End If
```
## See also
[Dictionaries Collection Object](Word.dictionaries.md)
[!include[Support and feedback](~/includes/feedback-boilerplate.md)] | 23.630435 | 207 | 0.781969 | eng_Latn | 0.773916 |
143d8f98bf8097b38184c6fa149d9841a376ccdf | 1,216 | md | Markdown | includes/app-service-managed-identities.md | maiemy/azure-docs.it-it | b3649d817c2ec64a3738b5f05f18f85557d0d9b6 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | includes/app-service-managed-identities.md | maiemy/azure-docs.it-it | b3649d817c2ec64a3738b5f05f18f85557d0d9b6 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | includes/app-service-managed-identities.md | maiemy/azure-docs.it-it | b3649d817c2ec64a3738b5f05f18f85557d0d9b6 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
author: mattchenderson
ms.service: app-service
ms.topic: include
ms.date: 04/20/2020
ms.author: mahender
ms.openlocfilehash: 3b282a99bb7f6f107717d9c265a46d285d03b849
ms.sourcegitcommit: 829d951d5c90442a38012daaf77e86046018e5b9
ms.translationtype: MT
ms.contentlocale: it-IT
ms.lasthandoff: 10/09/2020
ms.locfileid: "83649097"
---
Un'identità gestita di Azure Active Directory (Azure AD) consente all'app di accedere facilmente ad altre risorse protette da Azure AD, come Azure Key Vault. L'identità viene gestita dalla piattaforma Azure e non è necessario eseguire il provisioning o ruotare alcun segreto. Per altre informazioni sulle identità gestite in Azure AD, vedere [Identità gestite per le risorse di Azure](../articles/active-directory/managed-identities-azure-resources/overview.md).
All'applicazione possono essere concessi due tipi di identità:
- Un'**identità assegnata dal sistema** viene associata all'applicazione e viene eliminata in caso di eliminazione dell'app. A un'app può essere associata una sola identità assegnata dal sistema.
- Un'**identità assegnata dall'utente** è una risorsa di Azure autonoma che può essere assegnata all'app. Un'app può avere più identità assegnate dall'utente. | 64 | 462 | 0.814967 | ita_Latn | 0.996141 |
143db9337e7898eb301f0d2d67f55f2d28ffd578 | 374 | md | Markdown | examples/readme.md | mbertheau/dirac | 229885c7d8a62bcf2e031a322f51aded42c1e991 | [
"MIT"
] | null | null | null | examples/readme.md | mbertheau/dirac | 229885c7d8a62bcf2e031a322f51aded42c1e991 | [
"MIT"
] | null | null | null | examples/readme.md | mbertheau/dirac | 229885c7d8a62bcf2e031a322f51aded42c1e991 | [
"MIT"
] | null | null | null | # Dirac integration examples
Here are some example projects showing Dirac integration in various scenarios.
* leiningen - old-school leiningen + cljs-build
* figwheel-main - Figwheel Main project template with deps.edn
Would be nice to have in the future (PRs welcome):
* boot example (https://github.com/binaryage/dirac/issues/88)
* shadow-cljs example
* plain deps.edn | 31.166667 | 78 | 0.778075 | eng_Latn | 0.947372 |
143e066f400271f36e08892de9c147bcda42b2a2 | 148 | md | Markdown | CHANGELOG.md | metaflowltd/flutter-agent | 178ffe8d6cea85a6b453f301267be0938ddb0db3 | [
"MIT"
] | null | null | null | CHANGELOG.md | metaflowltd/flutter-agent | 178ffe8d6cea85a6b453f301267be0938ddb0db3 | [
"MIT"
] | null | null | null | CHANGELOG.md | metaflowltd/flutter-agent | 178ffe8d6cea85a6b453f301267be0938ddb0db3 | [
"MIT"
] | null | null | null | ## 1.0.0
* First release of the Instana agent for Flutter, based on
* Android native agent version 1.5.1
* iOS native agent version 1.1.10
| 24.666667 | 58 | 0.689189 | eng_Latn | 0.96971 |
143f2ce18924ce61ece9bc6526e75125552b4d4d | 3,511 | md | Markdown | CHANGELOG.md | capoloja/yii2-restclient | 9fa7355341e7525b97b681efa3193110868786d2 | [
"BSD-3-Clause"
] | 17 | 2016-03-11T14:39:13.000Z | 2018-07-02T13:42:15.000Z | CHANGELOG.md | capoloja/yii2-restclient | 9fa7355341e7525b97b681efa3193110868786d2 | [
"BSD-3-Clause"
] | 17 | 2016-03-11T13:42:37.000Z | 2018-07-04T10:51:05.000Z | CHANGELOG.md | capoloja/yii2-restclient | 9fa7355341e7525b97b681efa3193110868786d2 | [
"BSD-3-Clause"
] | 10 | 2016-05-05T16:29:59.000Z | 2021-04-07T23:50:18.000Z | apexwire/yii2-restclient changelog
---------------------------
## 0.5 Under development
## 0.4.1 2016-12-27
- fixBug: namespace yii\restclient? (продолжение). #14
## 0.4 2016-11-18
- fixBug: save custom modelName #12
- Implement `ActiveRecord::populateRecord()` method. #11
- Изменен namespace #13
## 0.3 2016-09-23
- ActiveRecord. Обновлены комментарии. Убрана лишние подключения (use ...). При обработке ошибки в функция insert/updateInternal отслеживаем исключение GuzzleHttp\Exception\ClientException вместо \Exception.
- Command. Обновлены комментарии. Убрана лишние подключения (use ...). Обновлены функции queryAll, queryOne. Функция queryOne теперь поддерживает возмозмость поиска одной записи (через обращение к списку).
- Connection. Обновлены комментарии. Убрана лишние подключения (use ...).
- DebugPanel. Исправлен баг: иногда значение массива $timing[2] может быть строка. Добавлен код определение мтода запроса к странице. Если метод GET то отображаются ссылки "run query", "to new tab", При других методах ссылки не позволяют повторить запрос (поэтому и убраны)
- Query. Добавлена функция prepare().
- QueryBuilder. Теперь наследуемся от yii\base\Object вместо yii\db\QueryBuilder. В связи с этим добавлены новые параметры, функции и удалены неиспользуемые функции.
- RestDataProvider. Обновлены подключения (use ...).
- RestQuery. Добавлена функция removeDuplicatedModels. Обновлена функция one. Раньше она не корректно обрабатывала код : Contact::find()->where(['email' => $email])->one
- Поиск сломал страницу просмотра #10
## 0.2 2016-03-17
- QueryBuilder. Функции buildLimit и buildOrderBy не поддерживаются и выдают исключение
- QueryBuilder. Функция buildPerPage - устанавливает количество записей на страницу
- QueryBuilder. Функция buildSort (бывшая buildOrderBy) - реализует сортировку записей
- добавлены GET парметры для HEAD запросов
- подправлен DebugAction. Добавлен параметр время выполнения. Параметр time изменен на duration
- DebugPanel корректная обработка ajax ответов. Отображает так же время выполнения. Отображает headers в случае если запрос HEAD. (task #5)
- Query. Удалены параметры $index и $type. Добавлен параметр $searchModel (task #3)
- QueryBuilder. Добавлена функция для обработки условия выборки - buildFind. При использовании функции buildCondition и buildWhere теперь выбраывается исключение
- RestQuery. Генерируем searchModel на основе modelClass. Например если название модели "common\models\User" то название searchModel будет сгенерировано "UserSearch" (потому что в yii2 для поиска используется своя модель) (task #3)
- добавлена папка "example-client". Включает в себя файлы клиентской части: контроллера, двух моделей и представлений
- добавлено описание работы поиска docs/find.md
- удалены старые файлы документации
## 0.1 2016-03-11
Базовая переработка расширения и приведения к стандартному поведению Yii2 Rest.
Изменениям подверглисе все файлы, многое переписано, некоторое добавлено/удалено.
Могут встречаться "артефакты", которые по возможности будут исправлены в будующих версиях.
- изменены namespace
- удалены не используемые функции и файлы
- добавлены/изменены комментарии
- подправлены DebugPanel и DebugAction
- убрано дублирование переменных
- переработаны метода добавления и редактирования. Добавлен функционал обработки ошибки 422 (ошибка валидации)
- изменены ссылки, по которым идут запросы для API
- изменены файлы changelog.md и readme.md, добавлено русское описание
- и т.д.
## Development started 2016-03-03
| 57.557377 | 273 | 0.793506 | rus_Cyrl | 0.922414 |
14406c169c4c77cd736d4ca419902dc547b9a65a | 2,127 | md | Markdown | README.md | LeoIV/Ensemble-Bayesian-Optimization | 43952f5c814c04f74b954f684fbe47e658ca8c67 | [
"MIT"
] | null | null | null | README.md | LeoIV/Ensemble-Bayesian-Optimization | 43952f5c814c04f74b954f684fbe47e658ca8c67 | [
"MIT"
] | null | null | null | README.md | LeoIV/Ensemble-Bayesian-Optimization | 43952f5c814c04f74b954f684fbe47e658ca8c67 | [
"MIT"
] | null | null | null | # Ensemble-Bayesian-Optimization
This is the code repository associated with the paper [_Batched Large-scale Bayesian Optimization in High-dimensional Spaces_](https://arxiv.org/pdf/1706.01445.pdf). We propose a new batch/distributed Bayesian optimization technique called **Ensemble Bayesian Optimization**, which unprecedentedly scales up Bayesian optimization both in terms of input dimensions and observation size. Please refer to the paper if you need more details on the algorithm.
## Requirements
```
sudo apt-get install libsuitesparse-dev
```
We tested our code with Python 2.7 on Ubuntu 14.04 LTS (64-bit).
See configs/start_commands for required packages.
## Implementations of Gaussian processes
We implemented 4 versions of Gaussian processes in gp_tools/gp.py, which can be used without the BO functionalities.
* DenseKernelGP: a GP which has a dense kernel matrix.
* SparseKernelGP: a GP which has a sparse kernel matrix.
* SparseFeatureGP: a GP whose kernel is defined by the inner product of two sparse feature vectors.
* DenseFeatureGP: a GP whose kernel is defined by the inner product of two dense feature vectors.
## Example
test_ebo.m gives an example of running EBO on a 2 dimensional function with visualizations.
To run EBO on expensive functions using Microsoft Azure, set the account information in configuration.cfg and the desired pool information in ebo.cfg. Then in the options, set "useAzure" to be True and "func_cheap" to be False.
## Test functions
We provide 3 examples of black-box functions:
* test_functions/simple_functions.py: functions sampled from a GP.
* test_functions/push_function.py: a reward function for two robots pushing two objects.
* test_functions/rover_function.py: a reward function for the trajectory of a 2D rover.
## Caveats on the hyperparameters of EBO
From more extensive experiments we found that EBO is not be robust to the hyperparameters of the Mondrian trees including the size of each leaf (min_leaf_size), number of leaves (max_n_leaves), selections per partition (n_bo), etc. Principled ways of setting those parameters remain a future work.
| 62.558824 | 454 | 0.800188 | eng_Latn | 0.996843 |
1440b3c71dee2d906c07c6d59dd5211ee8ef574a | 7,993 | md | Markdown | _posts/2018-01-17-um-novo-editor-para-um-novo-ano.md | kidush/kidush.github.io | 4d32348aff864fa71e03e4f9bc10ecddcfecd06e | [
"MIT"
] | null | null | null | _posts/2018-01-17-um-novo-editor-para-um-novo-ano.md | kidush/kidush.github.io | 4d32348aff864fa71e03e4f9bc10ecddcfecd06e | [
"MIT"
] | 2 | 2021-09-27T21:27:54.000Z | 2022-02-26T03:35:58.000Z | _posts/2018-01-17-um-novo-editor-para-um-novo-ano.md | kidush/kidush.github.io | 4d32348aff864fa71e03e4f9bc10ecddcfecd06e | [
"MIT"
] | null | null | null | ---
layout: post
title: "Um “novo” editor para um novo início de ano"
date: 2018-01-17 21:59:26 -0300
category: environment,emacs,vim,from-medium
published: true
---
*****
É de praxe que todo ano que está para se iniciar, toda pessoa no mundo faz
milhares e milhares de promessas e metas para o novo ano que está iniciando. E
eu não sou diferente, estou com algumas metas em mente e estou me organizando o
máximo para não falhar com elas. Mas como esse post é sobre um editor e não
sobre minhas metas, vamos mudar de assunto rsrs.
Pra começar bem decidi começar o ano usando um editor temido e amado por muitos
chamado [Emacs](http://www.gnu.org/software/emacs/).
*****
### Como cheguei até aqui?
Passei metade de 2016 e todo 2017 usando VIM em tudo que eu precisasse escrever
no meu trabalho e fora também. Já usei e testei vários editores de texto como
[Sublime Text](https://www.sublimetext.com/), [Atom](https://atom.io/), [Visual
Studio Code](https://code.visualstudio.com/) e outros mais. Claro, todos em modo
VI. Fazia um bom tempo que estava pensando em testar o Emacs, mas não queria
perder muitas horas aprendendo os atalhos do emacs e configurando ele até ficar
do jeito que eu queria.
Então, começei a procurar modos de como utilizar o VIM dentro do Emacs e nessa
procura terminei encontrando o
[evil-mode](https://www.emacswiki.org/emacs/Evil). Infelizmente ainda assim
teria que me adequar a Leader key do Emacs e configurá-lo. E era justamente o
que eu não queria. Continuei procurando mais um pouco na internet e encontrei o
[Spacemacs](http://spacemacs.org/) e é sobre ele que quero escrever um pouco 😄.
*****
### Primeiramente… O que é o Spacemacs?

<span class="figcaption_hack">Python layer on spacemacs</span>
Basicamente ele é uma distribuição do Emacs mantida pela comunidade opensource.
Ele é bem intuitivo e com atalhos fáceis de decorar, foi criado para pessoas que
como eu, usuários **vim**, tem interesse em ter todo o poder do Emacs junto do
**vim** com uma curva de aprendizado bem menor do que se você fosse migrar para
o Emacs padrão.
Mesmo tendo os usuários do **vim** como usuários “principais” ele se adequa a
qualquer tipo de usuário. Nele você pode utilizar tanto o evil-mode que citei
logo no começo, como o modo padrão do emacs ou um modo Híbrido(Emacs e Vim).
Se você quer usar o evil-mode assim como eu, mas também não sabe nada de **vim**
dentro do spacemacs você tem um evil-tutor, que nada mais é do que um tutorial
pra quem ta começando com o **vim.**
Acessando o evil-tutor. Mais abaixo irei falar mais de alguns atalhos.
SPC - h - T
#### Os Pilares Principais do Spacemacs
* Mnemonico (Te ajuda a decorar facilmente os atalhos)
* Intituitivo (Tem um display maravilhoso, como todos os atalhos)
* Consistente (Em todo lugar que utilizar o spacemacs, terá os mesmos atalhos)
* Guiado pela Comunidade (Layers para tudo que você imaginar 😸)
*****
### Configuration Layers
Pra quem vem do mundo **vim** estamos acostumados com os milhares de plugins que
exsistem para ele. No **spacemacs **são chamados de Layers e alguns bem úteis já
vem configurados por padrão e são muito mais fáceis e rápidos pra instalar.
Para adicionar layers nele é bem intuitvo. Logo abaixo irei mostrar o processo
de instalação e algumas modificações que fiz para meu uso 😆
### Então… vamos instalá-lo
Como estou no Linux(Ubuntu) e já tinha o emacs instalado, o processo foi
basicamente clonar o repositório do spacemacs para a minha pasta de configuração
do emacs **~/.emacs.d**. Na documentação tem explicando, mas vou deixar aqui pra
facilitar.
Rode o comando abaixo assim que você tiver o emacs instalado em sua máquina.
Caso não tenha ele instalado ainda, recomendo usar o emacs 25 por ser mais
recente.
git clone https://github.com/syl20bnr/spacemacs ~/.emacs.d
para instalar emacs no Mac OS e no Windows deixarei o link logo abaixo do
próprio repositório do spacemacs.
* [Instalando no Windows](https://github.com/syl20bnr/spacemacs#windows)
* [Instalando no Mac OS](https://github.com/syl20bnr/spacemacs#macos)
### Layers que utilizo e alguns atalhos básicos
Como falei acima, os atalhos dele são bem intuitivos e ajuda-nos a decorar a
maioria dos comandos dentro do editor.
No vim geralmente utilizariamos a `,` como Leader key, o Spacemacs utiliza
uma Leader key bem mais intuitiva que é o espaço(SPC).
Por exemplo, para você editar ou criar um novo arquivo nele é só digitar:
SPC - f - f
Para instalar novos layers ou para fazer qualquer outra modificação no editor é
só ir no nosso arquivo dotfile **~/.spacemacs.**
> Dentro deste arquivo fica todas as configurações que você pode mexer dentro do
> editor.
#### Acessando o arquivo de configuração:
SPC - f - e - d
<img src="https://cdn-images-1.medium.com/max/1600/1*lb0PLY7FuhStXfRupiLyxw.png" width="700" />
<span class="figcaption_hack">.spacemacs file</span>
> Ele é um arquivo lisp, mas não se assuste é fácil de editar e entender, o
> arquivo está bem comentado 😄
#### Os layers que estou utilizando hoje são:
* Python
* Ruby
* Javascript
* helm
* auto-completion
* yaml
* html
* git
* E mais alguns 😆
#### **Lista de layers disponíveis na documentação:**
[Layers do spacemacs](http://spacemacs.org/layers/LAYERS.html)
### Temas
Ele já vem com uma lista de temas pré-instalados, para acessar a lista só
digitar o seguinte atalho.
SPC - T - s
Mas como falei acima, existem diversos layers criados pela comunidade e um legal
que encontrei recentemente foi o **themes-megapack.**
para instá-lo basta adicioná-lo ao seu **~/.spacemacs**
SPC - f - e - d
Ao abrir vá até o seu dotspacemacs-configuration-layers. Na imagem abaixo você
verá no final o **themes-megapack.**
<img src="https://cdn-images-1.medium.com/max/800/1*QIOj_tasddZxRIdbI0EsUA.png" />
<span class="figcaption_hack">dotspacemacs-configuration-layers. Alguns dos layers que tenho instalado</span>
Após isso você precisará recarregar o editor, para ele instalar os pacotes.
SPC - f - e - R
Quando o processo terminar o spacemacs precisará ser reiniciado.
SPC - q - R
Assim que você abrir a lista de temas.
SPC - T - s
Você verá que novos temas foram instalados. Hoje estou utilizando o spacegray
como na imagem logo abaixo.
<img src="https://cdn-images-1.medium.com/max/800/1*-OY3PEDcA0bR-mnIqf5h7Q.png" />
<span class="figcaption_hack">org-mode com o tema do spacegray.</span>
*****
### Quase iria esquecendo do Terminal
Ele também tem um ótimo terminal integrado assim como todo editor decente
deveria ter. 😃
O bom é que faço praticamente tudo dentro do Emacs(Spacemacs). Como utilizo
muito o terminal não preciso ta saindo de dentro do editor para rodar algum
comando no sistema operacional.
Abrindo o terminal:
SPC - '
<img src="https://cdn-images-1.medium.com/max/800/1*srpwclssakkLWTTJ6vjPJw.png" /><br />
<span class="figcaption_hack">terminal dentro do spacemacs</span>
### Finalizando…
Então, como só queria mostrar um pouco de como estou amando trabalhar com o
spacemacs, vou parando por aqui, futuramente pretendo mostrar mais como
funcionam os modes e como estes modes tem me ajudado a organizar minha vida como
Desenvolvedor.
Por exemplo, nele você consegue criar apresentações, exportar estas
apresentações para html, lateX, criar TODO lists, agendas e por ai vai. Como
dizem os usuários a mais tempo que eu.
> O Emacs é um ótimo sistema operacional e um editor decente.
Espero ter tempo para continuar escrevendo sobre minha experiência no dia-a-dia
com este editor e irei postando as atualizações por aqui. Até mais pessoal.
* [Development](https://medium.com/tag/development?source=post)
* [Emacs](https://medium.com/tag/emacs?source=post)
* [Environment](https://medium.com/tag/environment?source=post)
* [Vim](https://medium.com/tag/vim?source=post)
Artigo importado do Medium.
### [Medium - Thiago Ferreira](https://medium.com/@thiagoflins)
| 35.683036 | 109 | 0.757538 | por_Latn | 0.999399 |
1441366abfdc67cbbb0e6756dfd6327e7f3d0d36 | 6,101 | md | Markdown | articles/commerce/delivery-options-module.md | MicrosoftDocs/Dynamics-365-Operations.de-de | cd5ad614a04a6af4810d202838f5d048bb7f9c3c | [
"CC-BY-4.0",
"MIT"
] | 1 | 2020-05-18T17:13:42.000Z | 2020-05-18T17:13:42.000Z | articles/commerce/delivery-options-module.md | MicrosoftDocs/Dynamics-365-Operations.de-de | cd5ad614a04a6af4810d202838f5d048bb7f9c3c | [
"CC-BY-4.0",
"MIT"
] | 7 | 2017-12-11T16:30:58.000Z | 2019-04-30T11:46:00.000Z | articles/commerce/delivery-options-module.md | MicrosoftDocs/Dynamics-365-Operations.de-de | cd5ad614a04a6af4810d202838f5d048bb7f9c3c | [
"CC-BY-4.0",
"MIT"
] | 3 | 2018-07-20T06:44:57.000Z | 2021-05-04T15:51:05.000Z | ---
title: Lieferoptionsmodul
description: Dieses Thema enthält Beschreibungen der Lieferoptionsmodule und Erklärungen zu ihrer Konfiguration in Microsoft Dynamics 365 Commerce.
author: anupamar-ms
ms.date: 04/23/2021
ms.topic: article
ms.prod: ''
ms.technology: ''
audience: Application user
ms.reviewer: v-chgri
ms.custom: ''
ms.assetid: ''
ms.search.region: Global
ms.author: anupamar
ms.search.validFrom: 2019-10-31
ms.dyn365.ops.version: Release 10.0.13
ms.openlocfilehash: 69d3da5cbee5d7b921b0b0b422d838b9821e9c877d6f1951e85aeb49474bd4bc
ms.sourcegitcommit: 42fe9790ddf0bdad911544deaa82123a396712fb
ms.translationtype: HT
ms.contentlocale: de-DE
ms.lasthandoff: 08/05/2021
ms.locfileid: "6760899"
---
# <a name="delivery-options-module"></a>Lieferoptionenmodul
[!include [banner](includes/banner.md)]
Dieses Thema enthält Beschreibungen der Lieferoptionsmodule und Erklärungen zu ihrer Konfiguration in Microsoft Dynamics 365 Commerce.
Mit den Versandoptionsmodulen können Kunden eine Versandart auswählen, z. B. Versand oder Abholung für ihre Online-Bestellung. Eine Lieferadresse ist erforderlich, um die Lieferart zu bestimmen. Wenn sich die Versandadresse ändert, müssen die Lieferoptionen erneut abgerufen werden. Wenn ein Auftrag nur Artikel enthält, die in einem Shop abgeholt werden, wird dieses Modul automatisch ausgeblendet.
Informationen zum Konfigurieren der Lieferarten finden Sie unter [Online-Kanaleinrichtung](channel-setup-online.md) und [Zustellungsmodi einrichten](/dynamicsax-2012/appuser-itpro/set-up-modes-of-delivery).
Den einzelnen Lieferarten können jeweils Gebühren zugeordnet sein. Weitere Informationen zum Konfigurieren von Gebühren für einen Online-Shop finden Sie unter [Erweiterte automatische Omni-Channel-Belastungen](omni-auto-charges.md).
In der Commerce Version 10.0.13 wurde das Lieferoptionsmodul aktualisiert, damit es die Funktionen **Kopfzuschläge ohne Verrechnung** und **Versand als Positionsbelastung** unterstützt. Wenn Verrechnung deaktiviert ist, wird erwartet, dass der E-Commerce-Workflow keine gemischte Lieferart für die Artikel im Warenkorb zulässt (d. h. einige Artikel werden für den Versand ausgewählt, andere für die Abholung). Die Funktion **Kopfkosten ohne Aufschlag** erfordert, dass das Flag **Konsistente Lieferartbehandlung im Kanal aktivieren** in der Commerce-Zentrale eingeschaltet ist. Wenn die Funktion Flag eingeschaltet ist, werden die Versandkosten entweder auf Kopf- oder auf Zeilenebene angewendet, je nach Konfiguration in der Commerce-Zentrale.
Das Fabrikam-Design unterstützt eine gemischte Lieferart, bei der einige Artikel für den Versand ausgewählt werden, andere jedoch für die Abholung. In diesem Modus werden die Versandkosten für alle Artikel anteilig berechnet, die für die Lieferart ausgewählt wurden. Damit eine gemischte Lieferart funktioniert, müssen Sie zuerst die Funktion **Kopfzuschläge ohne Verrechnung** in der Commerce-Zentralverwaltung konfigurieren. Weitere Informationen zu dieser Konfiguration finden Sie unter [Kopfbelastungen auf übereinstimmende Verkaufspositionen aufteilen](pro-rate-charges-matching-lines.md).
Wenn für Positionen Versandkosten anfallen, können diese für jeden Artikel in der Warenkorbposition angezeigt werden. Diese Funktionalität erfordert, dass die Eigenschaft **Versandkosten für Positionen anzeigen** für das Warenkorbmodul und das Checkout-Modul aktiviert ist. Weitere Informationen finden Sie unter [Einkaufswagenmodul](add-cart-module.md) und [Checkout-Modul](add-checkout-module.md).
Das folgende Bild zeigt ein Beispiel eines Lieferoptionsmoduls auf einer Checkout-Seite.

## <a name="delivery-options-module-properties"></a>Lieferoptionsmoduleigenschaften
| Eigenschaft | Werte | Beschreibung |
|----------|--------|-------------|
| Überschrift | Überschriftentext und eine Überschriftsmarkierung (**H1**, **H2**, **H3**, **H4**, **H5** oder **H6**) | Eine optionale Überschrift für das Lieferoptionsmodul. |
| Benutzerdefinierter CSS-Klassenname | Text | Ein benutzerdefinierter CSS-Klassenname (Cascading Style Sheets), der gegebenenfalls zum Rendern dieses Moduls verwendet wird. |
| Liefermodusoption filtern | **Nicht filtern** oder **Nicht-Versand-Modi** | Ein Wert, der angibt, ob das Lieferoptionsmodul alle Nicht-Versand-Modi herausfiltern soll. |
| Automatisch eine Lieferoption auswählen | **Nicht filtern**, **Lieferoption automatisch auswählen und Zusammenfassung anzeigen**, oder **Lieferoption automatisch auswählen und Zusammenfassung nicht anzeigen** | Diese Eigenschaft wendet automatisch die erste verfügbare Lieferoption auf die Kasse an, ohne dass der Benutzer diese auswählen muss. Es sollte nur verwendet werden, wenn es eine verfügbare Lieferoption gibt. Diese Eigenschaft wird ab der Commerce-Version 10.0.19 unterstützt. |
## <a name="add-a-delivery-options-module-to-a-checkout-page-and-set-the-required-properties"></a>Fürgen Sie ein Lieferoptionsmodul in eine Checkout-Seite ein und bestimmen Sie die erforderlichen Eigenschaften
Ein Lieferoptionsmodul kann nur zu einem Auschecken-Modul hinzugefügt werden. Weitere Informationen zum Konfigurieren des Lieferoptionsmoduls und zum Hinzufügen zu einer Checkout-Seite finden Sie unter [Checkout-Modul](add-checkout-module.md).
## <a name="additional-resources"></a>Zusätzliche Ressourcen
[Einkaufswagenmodul](add-cart-module.md)
[Auschecken-Modul](add-checkout-module.md)
[Zahlungsmodul](payment-module.md)
[Versandadressenmodul](ship-address-module.md)
[Abholinformationsmodul](pickup-info-module.md)
[Auftragsdetailmodul](order-confirmation-module.md)
[Geschenkkartenmodul](add-giftcard.md)
[Online-Kanaleinrichtung](channel-setup-online.md)
[Erweiterte automatische Omni-Channel-Belastungen](omni-auto-charges.md)
[Kopfbelastungen abgeglichen mit Verkaufspositionen aufteilen](pro-rate-charges-matching-lines.md)
[Lieferarten einrichten](/dynamicsax-2012/appuser-itpro/set-up-modes-of-delivery)
[!INCLUDE[footer-include](../includes/footer-banner.md)]
| 71.776471 | 744 | 0.81249 | deu_Latn | 0.987687 |
1441a67f53ba6e818e7de3cc72c71dd8931f2e1b | 8,568 | md | Markdown | docs/report/extend-analytics/data-model-analytics-service.md | leotsarev/vsts-docs | f05687a10743bfa3a9230c58dd4410f645395b3b | [
"CC-BY-4.0",
"MIT"
] | 2 | 2020-03-02T07:18:04.000Z | 2020-03-20T22:25:25.000Z | docs/report/extend-analytics/data-model-analytics-service.md | leotsarev/vsts-docs | f05687a10743bfa3a9230c58dd4410f645395b3b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/report/extend-analytics/data-model-analytics-service.md | leotsarev/vsts-docs | f05687a10743bfa3a9230c58dd4410f645395b3b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Data model for Analytics
titleSuffix: Azure DevOps
description: Describes the data entities and relationships provided by Analytics for Azure DevOps
ms.technology: devops-analytics
ms.assetid: 032FB76F-DC43-4863-AFC6-F8D67963B177
ms.reviewer: angurusw
ms.author: kaelli
author: KathrynEE
ms.topic: reference
monikerRange: '>= azure-devops-2019'
ms.date: 04/05/2019
---
# Data model for Analytics
[!INCLUDE [temp](../includes/version-azure-devops.md)]
Analytics data model for Azure DevOps consists of entity sets, whose members (entities) contains properties that can be filtered, aggregated, and summarized. Additionally, they contain [navigation properties](https://www.odata.org/getting-started/basic-tutorial/#relationship) that relate entities to one other, providing access to additional properties for selecting, filtering, and grouping.
[!INCLUDE [temp](../includes/analytics-preview.md)]
<a id="entities" />
## Entities
> [!NOTE]
>Entity sets are described in OData metadata, and vary by project. A complete list of entity sets, entity types, and properties can be discovered by requesting the OData metadata for your project:
::: moniker range="azure-devops"
> [!div class="tabbedCodeSnippets"]
> ```OData
> https://analytics.dev.azure.com/{OrganizationName}/{ProjectName}/_odata/{version}/$metadata
> ```
::: moniker-end
::: moniker range="azure-devops-2019"
> [!div class="tabbedCodeSnippets"]
> ```OData
> https://{servername}:{port}/tfs/{OrganizationName}/{ProjectName}/_odata/{version}/$metadata
> ```
::: moniker-end
[!INCLUDE [temp](../includes/api-versioning.md)]
The following EntitySets are supported with the indicated API versions. For the latest version information, see [OData API versioning](odata-api-version.md).
## Work tracking EntitySets
> [!div class="mx-tdCol2BreakAll"]
> | EntitySet | Description | v1.0 | v2.0 | v3.0-preview |
> |-----------|-------------|------|------|--------------|
> |Areas | The work item Area Paths, with properties for grouping and filtering by area hierarchy | ✔️|✔️|✔️ |
> |Iterations | The work item Iteration Paths, with properties for grouping and filtering by iteration hierarchy |✔️|✔️|✔️ |
> |BoardLocations | The Kanban board cell locations, as identified by board column, lane, and split, includes historic board settings| ✔️|✔️|✔️ |
> |Dates | The dates used to filter and group other entities using relationships | ✔️|✔️|✔️ |
> |Projects | All projects defined for an organization |✔️|✔️|✔️ |
> |Processes | Backlog information - used to expand or filter work items and work item types| |✔️|✔️ |
> |Tags | All work item tags for each project | ✔️|✔️|✔️ |
> |Teams | All teams defined for the project (To add a team, see [Add teams](../../organizations/settings/add-teams.md)) | ✔️|✔️|✔️ |
> |Users | User information that is used to expand or filter various work item properties (e.g. Assigned To, Created By)| ✔️|✔️|✔️ |
> |WorkItems | The current state of work items| ✔️|✔️|✔️ |
> |WorkItemLinks | The links between work items (e.g. child, parent, related) - includes only latest revision of links (no history) - hyperlinks not included | ✔️|✔️|✔️ |
> |WorkItemRevisions | All historic work item revisions, including the current revision - does not include deleted work items| ✔️|✔️|✔️ |
> |WorkItemSnapshot | (Composite) The state of each work item on each calendar date - used for trend reporting| ✔️|✔️|✔️ |
> |WorkItemBoardSnapshot | (Composite) The state of each work item on each calendar date, including Kanban board location - used for trend reporting| ✔️|✔️|✔️ |
> |WorkItemTypeFields | The work item properties for each work item type and process - used for report building| ✔️|✔️|✔️ |
## Branch, Pipelines, and Test EntitySets
The following EntitySets are only supported with the **v3.0-preview** API version.
> [!div class="mx-tdCol2BreakAll"]
> | EntitySet | Description | v3.0-preview |
> |-----------|-------------|------|
> |Branches | Basic information about branches used in tests or pipelines | ✔️ |
> |Pipelines| Properties for a pipeline | ✔️ |
> |PipelineTasks | Properties for tasks that are used within a pipeline | ✔️ |
> |PipelineRunActivityResults | Merged log of all the stages/steps/jobs/tasks within a specific pipeline execution | ✔️ |
> |PipelineRuns | Execution information for pipelines | ✔️ |
> |TestResultsDaily | A daily snapshot aggregate of TestResult executions, grouped by Test (not TestRun) | ✔️ |
> |TestRuns | Execution information for tests run under a pipeline with aggregate TestResult | ✔️ |
> |Tests | Properties for a test | ✔️ |
> |TestsResults | Individual execution results for a specific Test associated with a TestRun | ✔️ |
## Composite entities
Composite entities support specific scenarios. They are composed from simpler entities, often require more computing resources to generate, and may return larger result sets. To achieve the best performance and avoid unnecessary throttling, ensure that you query the correct entity for your scenario.
For example, WorkItemSnapshot combines WorkItemRevisions and Dates such that each date has one revision for each work item. This representation supports OData queries that focus on trend data for a filtered set of work items. However, you should not use this composite entity to query the current state of work items. Instead, you should use the WorkItems entity set to generate a more quick-running query.
Similarly, some entities may contain all historic values, while others may only contain current values. WorkItemRevision contains all work item history, which you should not use in scenarios where the current values are of interest.
## Relationships
To generate more complex query results, you can combine entities using relationships. You can employ relationships to expand, filter, or summarize data.
Some navigation properties result in a single entity, while others result in a collection of entities. The following diagram shows select entities and their navigation properties. For clarity, some composite entities and relationships have been omitted.

## Relationship keys
Entity relationships are also represented as foreign keys so that external tools can join entities. These properties have the suffix "SK", and are either integer or GUID data types. Date properties have corresponding integer date key properties with the following format: YYYYMMDD.
## Entity Properties
The following table provides a partial list of the WorkItemRevision entity properties to illustrate some common details. The last three properties—CreatedDate, CreatedDateSK, CreatedOn—show that the same value is often expressed in multiple properties, each designed for different scenarios.
| Property | Type | Description|
|--------|------------|------------|
|WorkItemRevisionSK | Int32 | The Analytics unique key for the work item revision - used by external tools to join related entities.
|WorkItemId | Int32 | The Id for the work item.
|Revision | Int32 | The revision of the work item.
|Title | String | The work item title.
|WorkItemType | String | The work item type (e.g. Bug, Task, User Story).
|StoryPoints | Double | The points assigned to this work item - commonly aggregated as a sum.
| Tags | Navigation | Navigation property to a Tag entity collection. Commonly used in ```$expand``` statements to access the Name property for multiple work item tags.
|CreatedDate | DateTimeOffset | The date the work item was created, expressed in the [time zone defined for the organization](../../organizations/accounts/change-organization-location.md). Commonly used for filtering and for display.
|CreatedDateSK | Int32 | The date the work item was created, expressed as YYYYMMDD in the time zone defined for the organization. Used by external tools to join related entities.
|CreatedOn | Navigation | Navigation property to the Date entity for the date the work item was created, in the time zone defined for the organization. Commonly used to reference properties from the Date entity in ```groupby``` statements.
> [!NOTE]
>Changes to custom work item fields will affect the shape of your data model and will affect all work item revisions. For instance, if you add a new field, queries on pre-existing revision data will reflect the presence of the new field.
## Related articles
- [WIT analytics](wit-analytics.md)
- [Aggregate data](aggregated-data-analytics.md)
- [Exploring Analytics OData metadata](analytics-metadata.md)
| 59.5 | 406 | 0.743114 | eng_Latn | 0.989719 |
1441cc2ea9b3ffd0f774a016b908965394622838 | 16,448 | md | Markdown | docs/boards/work-items/view-add-work-items.md | fadnavistanmay/vsts-docs | 3f7f8c80b10d2fd71c079de1dc4115085cb3fb6b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/boards/work-items/view-add-work-items.md | fadnavistanmay/vsts-docs | 3f7f8c80b10d2fd71c079de1dc4115085cb3fb6b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/boards/work-items/view-add-work-items.md | fadnavistanmay/vsts-docs | 3f7f8c80b10d2fd71c079de1dc4115085cb3fb6b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: View, filter, & add user stories, issues, and bugs from the Work Items hub
titleSuffix: Azure Boards
description: View and filter work items user stories, issues, bugs, & other work items from the Work Items hub and 7 personalized pivot views
ms.custom: "boards-work-items, seodec18"
f1_keywords:
- vs.tfc.teamexplorer.workitems
- vs.tfc.teamexplorer.TeamExplorer
ms.technology: devops-agile
ms.prod: devops
ms.assetid: EBDE0739-FAE6-4BEA-8F59-E9D20AFE5FE8
ms.manager: mijacobs
ms.author: kaelli
author: KathrynEE
ms.topic: quickstart
monikerRange: '>= azure-devops-2019'
ms.date: 01/08/2018
---
# View and add work items using the Work Items page
**Azure Boards | Azure DevOps Server 2019 | Visual Studio 2019**
View work items that you created or are assigned to you. The **Work Items** page provides several personalized pivots and filter functions to streamline listing work items. Use this page to quickly find work items defined across teams within a project.
> [!NOTE]
> The **Work Items** page is currently available from Azure DevOps Services, Azure DevOps Server 2019 RC1, and Visual Studio 2019 RC1.
[!INCLUDE [temp](../_shared/prerequisites-work-items.md)]
## Open Work Items
You can start viewing and adding work items once you connect to a project.
<a id="browser" />
#### [Web portal](#tab/browser/)
(1) Check that you have selected the right project, then (2) choose **Boards>Work Items**.
> [!div class="mx-imgBorder"]
> 
::: moniker range="azure-devops-2019"
> [!NOTE]
> The new Work Items experience is available when you connect to a GitHub repository. If you connect to a TFVC repository, you'll continue to see the legacy query-focused experience.
::: moniker-end
#### [Visual Studio 2019](#tab/visual-studio/)
Open Visual Studio 2019, Team Explorer, and then choose **Work Items**.
> [!div class="mx-imgBorder"]
> 
If you don't see the **Work Items** option, you need to connect to a project and not just a repository. From the Connect to a Project dialog. Use **CTRL-Shift** to select your options and then choose **Connect**.
> [!div class="mx-imgBorder"]
> 
#### [Azure DevOps CLI](#tab/azure-devops-cli/)
There is no [**az boards**](/cli/azure/ext/azure-devops/boards) command that opens the Work Items page at this time. The Azure DevOps CLI commands are only valid for Azure DevOps Services (cloud service).
* * *
> [!NOTE]
> Depending on the process chosen when the project was created—[Agile](guidance/agile-process-workflow.md), [Scrum](guidance/scrum-process-workflow.md), or [CMMI](guidance/cmmi-process-workflow.md)—the types of work items you can create will differ. For example, backlog items may be called user stories (Agile), product backlog items (Scrum), or requirements (CMMI). All three are similar: they describe the customer value to deliver and the work to be performed.
>
> For an overview of all three processes, see [Choose a process](../work-items/guidance/choose-process.md).
## View work items
Using the drop-down menu, you can focus on relevant items inside a project using one of seven pivots. Additionally, you can [filter](#filter) and [sort](#sort) each pivot view. You can also use an Azure DevOps CLI command to view details about a work item.
#### [Web portal](#tab/browser/)
<table>
<tbody valign="top">
<tr>
<td>
<img src="_img/view-add/view-menu.png" alt="Boards>Work Items view"/>
</td>
<td>
<ul>
<li><strong>Assigned to me</strong>: lists all work items assigned to you in the project in the order they were last updated. To open or update a work item, simply click its title.</li>
<li><strong>Following</strong>: lists work items that you're <a href="follow-work-items.md" data-raw-source="[following](follow-work-items.md)">following</a>. </li>
<li><strong>Mentioned</strong>: lists work items in which you've been mentioned in the last 30 days. </li>
<li><strong>My activity</strong>: lists work items that you've recently viewed or updated.</li>
<li><strong>Recently updated</strong>: lists work items recently updated in the project. </li>
<li><strong>Recently completed</strong>: lists work items completed or closed in the project.</li>
<li><strong>Recently created</strong>: lists work items created within the last 30 days in the project.</li>
</ul>
</td>
</tr>
</tbody>
</table>
#### [Visual Studio 2019](#tab/visual-studio/)
<table>
<tbody valign="top">
<tr>
<td>
<img src="_img/view-add/pivot-menu-vs-te.png" alt="Boards>Work Items"/>
</td>
<td>
<ul>
<li><strong>Assigned to me</strong>: lists all work items assigned to you in the project in the order they were last updated. To open or update a work item, simply click its title.</li>
<li><strong>Following</strong>: lists work items that you're <a href="follow-work-items.md" data-raw-source="[following](follow-work-items.md)">following</a>. </li>
<li><strong>Mentioned</strong>: lists work items in which you've been mentioned in the last 30 days. </li>
<li><strong>My activity</strong>: lists work items that you've recently viewed or updated.</li>
</ul>
</td>
</tr>
</tbody>
</table>
To view a work item, double-click the title or open the context menu for the work item (right-click or enter the menu key) and select **Open**. A browser window will open with the work item form.
<table>
<tbody valign="top">
<tr>
<td>
<img src="_img/view-add/work-item-menu-options-vs.png" alt="Work item context menu"/>
</td>
<td>
Additional menu options support the following tasks:
<ul>
<li><strong>Assign to me</strong>: Changes the Assigned to field to your user name. </li>
<li><strong>New Branch...</strong>: Opens a dialog to create a new branch automatically linked to the work item. For details, see <a href="../backlogs/connect-work-items-to-git-dev-ops.md" data-raw-source="[Drive GIt development](../backlogs/connect-work-items-to-git-dev-ops.md)">Drive GIt development</a>. </li>
<li><strong>Complete work item</strong>: Updates the State field to Completed, Done, or Closed. </li>
<li><strong>Relate to changes</strong>: Links the work item to the current commit of recent changes.</li>
</ul>
</td>
</tr>
</tbody>
</table>
#### [Azure DevOps CLI](#tab/azure-devops-cli/)
::: moniker range="azure-devops"
### View work item
You can view a new work item with the [az boards work-item show](/cli/azure/ext/azure-devops/boards/work-item?#ext-azure-devops-az-boards-work-item-show) command. To get started, see [Get started with Azure DevOps CLI](../../cli/index.md).
```CLI
az boards work-item show --id
[--open]
[--org]
```
#### Parameters
- **id**: Required. The ID of the work item.
- **open**: Optional. Open the work item in the default web browser.
- **org**: Azure DevOps organization URL. You can configure the default organization using `az devops configure -d organization=ORG_URL`. Required if not configured as default or picked up using `git config`. Example: `--org https://dev.azure.com/MyOrganizationName/`.
#### Example
The following command opens the bug with the ID 864 in your default web browser. It also displays the results in the Azure DevOps CLI in table format.
```CLI
az boards work-item show --id 864 --open --output table
ID Type Title Assigned To State
---- ------ --------- ------------------- -------
864 Bug fix-issue contoso@contoso.com New
```
::: moniker-end
[!INCLUDE [temp](../../_shared/note-cli-not-supported.md)]
* * *
## Add a work item
Adding a work item is just one click away. Simply choose the work item type from the **New Work Item** drop down menu. You can also use an Azure DevOps CLI command to add a new work item.
# [Web portal](#tab/browser)
For example, here we choose User Story.
> [!div class="mx-imgBorder"]
> 
<!---
> [!TIP]
> Work items you add are automatically scoped to the currently selected team's area and iteration paths. To change the team context, see [Switch project or team focus](../../project/navigation/go-to-project-repo.md?toc=/azure/devops/boards/work-items/toc.json&bc=/azure/devops/boards/work-items/breadcrumb/toc.json). -->
Enter a title and then save the work item. Before you can change the State from its initial default, you must save it.

# [Visual Studio 2019](#tab/visual-studio)
For example, here we choose User Story.
Choose **New Work Item** and select the work item type you want.
> [!div class="mx-imgBorder"]
> 
A browser window will open with the work item form to fill out.
<!---
> [!TIP]
> Work items you add are automatically scoped to the currently selected team's area and iteration paths. To change the team context, see [Switch project or team focus](../../project/navigation/go-to-project-repo.md?toc=/azure/devops/boards/work-items/toc.json&bc=/azure/devops/boards/work-items/breadcrumb/toc.json). -->
Enter a title and then save the work item. Before you can change the State from its initial default, you must save it.

# [Azure DevOps CLI](#tab/azure-devops-cli)
::: moniker range="azure-devops"
### Add work item
You can add a new work item with the [az boards work-item create](/cli/azure/ext/azure-devops/boards/work-item#ext-azure-devops-az-boards-work-item-create) command. To get started, see [Get started with Azure DevOps CLI](../../cli/index.md).
```CLI
az boards work-item create --title
--type
[--area]
[--assigned-to]
[--description]
[--discussion]
[--fields]
[--iteration]
[--open]
[--org]
[--project]
[--reason]
```
#### Parameters
- **title**: Title of the work item.
- **type**: Type of work item (for example, *Bug*).
#### Optional parameters
- **area**: Area the work item is assigned to (for example, *Demos*).
- **assigned-to**: Name of the person the work item is assigned-to (for example, *fabrikam*).
- **description**: Description of the work item.
- **discussion**: Comment to add to a discussion in a work item.
- **fields**: Space separated `field=value` pairs for custom fields you would like to set.
- **iteration**: Iteration path of the work item (for example, *DemosIteration 1*).
- **open**: Open the work item in the default web browser.
- **org**: Azure DevOps organization URL. You can configure the default organization using `az devops configure -d organization=ORG_URL`. Required if not configured as default or picked up using `git config`. Example: `--org https://dev.azure.com/MyOrganizationName/`.
- **project**: Name or ID of the project. You can configure the default project using `az devops configure -d project=NAME_OR_ID`. Required if not configured as default or picked up using `git config`.
- **reason**: Reason for the state of the work item.
#### Example
The following command creates a bug titled "fix-issue". It assigns the bug to the user contoso@contoso.com and shows the results of the command in table format.
```CLI
az boards work-item create --title fix-issue --type bug --assigned-to contoso@contoso.com --output table
ID Type Title Assigned To State
---- ------ --------- ------------------- -------
864 Bug fix-issue contoso@contoso.com New
```
::: moniker-end
[!INCLUDE [temp](../../_shared/note-cli-not-supported.md)]
* * *
You can [add tags to any work item](../queries/add-tags-to-work-items.md) to filter backlogs, queries, and work item lists. Users with **Basic** access can create new tags by default, users with **Stakeholder** access can only add existing tags.
<a id="filter" />
## Filter to create personal views
You can filter each work item pivot view by typing a keyword or using one or more of the fields provided, such as work item type (Types), State, Area Path, and Tags. The page remembers the filters you set for each pivot, supporting personalized views across all pivots.
#### [Web portal](#tab/browser/)
> [!div class="mx-imgBorder"]
> 
#### [Visual Studio 2019](#tab/visual-studio/)
> [!div class="mx-imgBorder"]
> 
#### [Azure DevOps CLI](#tab/azure-devops-cli/)
There is no [**az boards**](/cli/azure/ext/azure-devops/boards) command that applies to filtering. The Azure DevOps CLI commands are only valid for Azure DevOps Services (cloud service).
* * *
<a id="sort" />
## Add columns and sort by a column
From the web portal, you can sort your view by one of the column fields that you select from the **Column Options** dialog. For details, see [Change column options](../backlogs/set-column-options.md).
[!INCLUDE [temp](../_shared/discussion-tip-azure-devops.md)]
## Copy selected items to the clipboard or email them
To select several items in a sequence, hold down the shift key from a web portal page. To select several non-sequential items, use the **Ctrl** key. Then, you can use **Ctrl+c** to copy the selected items to a clipboard. Or, you can open the context menu for the selected work items, click ( actions icon), and then select an option from the menu.
> [!div class="mx-imgBorder"]
> 
## Open a view as a query
From the web portal, you can open any view, filtered view, or selected set of work items as a query. Simply choose **Open in Queries** or the **Open selected items in Queries** option from the context menu.
Queries provide additional features that you can use, including:
* Edit one or more fields of several work items
* Add or remove tags from several work items
* Change the work item type
* Delete work items
* Apply work item templates
* And more
For details, see [Bulk modify work items](../backlogs/bulk-modify-work-items.md?toc=/azure/devops/boards/work-items/toc.json&bc=/azure/devops/boards/work-items/breadcrumb/toc.json). To learn more about queries, see [Use the query editor to list and manage queries](../queries/using-queries.md).
<a id="page-controls"> </a>
## Work Items page controls
Use the following three controls to manage your views in the web portal.
> [!div class="mx-tdBreakAll"]
> | Control | Function |
> |--------------------------|-------------------------------|
> |  | View/hide completed items |
> |  | [Turn filtering On/Off](#filter) |
> |  /  | Enter or exit full screen mode |
## Related articles
- [Best tool to add, update, and link work items](best-tool-add-update-link-work-items.md)
- [Move, change, or delete work items (Recycle Bin)](../backlogs/remove-delete-work-items.md?toc=/azure/devops/boards/work-items/toc.json&bc=/azure/devops/boards/work-items/breadcrumb/toc.json)
- [Enable preview features](../../project/navigation/preview-features.md)
- [Use work item form controls](work-item-form-controls.md)
- [Keyboard shortcuts for work item forms and the Work Items page](work-item-form-keyboard-shortcuts.md)
- [Work across projects](../../project/navigation/work-across-projects.md)
> [!NOTE]
> You can create and manage work items from the command line or scripts using the [Azure DevOps CLI](/cli/azure/ext/azure-devops/?view=azure-cli-latest).
| 45.063014 | 476 | 0.698018 | eng_Latn | 0.952666 |
1441f8f37249cbe8ebe28d5aad6975510f4052ac | 6,675 | md | Markdown | pages/gebiedsscans-gezondheid-en-leefomgeving/mildam.md | wouter-muller/democratie0513 | cd364c6f1da81544b1dd4bf224e1373ff12d527d | [
"MIT"
] | null | null | null | pages/gebiedsscans-gezondheid-en-leefomgeving/mildam.md | wouter-muller/democratie0513 | cd364c6f1da81544b1dd4bf224e1373ff12d527d | [
"MIT"
] | 8 | 2020-05-14T15:01:41.000Z | 2020-12-11T21:35:02.000Z | pages/gebiedsscans-gezondheid-en-leefomgeving/mildam.md | wouter-muller/democratie0513 | cd364c6f1da81544b1dd4bf224e1373ff12d527d | [
"MIT"
] | null | null | null | ---
layout: gebiedsscans-gezondheid-en-leefomgeving
title_tag: Mildam
color: r2
permalink: /gebiedsscans-gezondheid-en-leefomgeving/mildam
hero-heading: Mildam
content-intro:
---
## Uitkomsten Mildam

De grafiek laat zien welke indicator boven of onder het gemiddelde van de gemeente scoort. Binnen de gele lijn scoort de indicator voor de wijk/het dorp onder het gemiddelde van de gemeente. Buiten de gele lijn scoort de indicator boven het gemiddelde.
## Samenvatting
Katlijk en Mildam liggen tegen elkaar aan en de verenigingen van Plaatselijk belang werken veel samen. Ze kunnen als één gebied worden beschouwd. In Katlijk en Mildam zijn nauwelijks afwijkingen van de gemiddelde cijfers in de gemeente.
In beide dorpen is de leefbaarheid uitstekend.
## Aanvullingen uit interviews met professionals
Er is een initiatiefrijk Plaatselijk belang en men krijgt met de dorpsbewoners veel voor elkaar. Er zijn weinig voorzieningen. Jongeren die vertrekken, willen echter na hun studie terugkomen. Er is ook veel zorg voor elkaar, georganiseerd en ongeorganiseerd. De zelfredzaamheid is groot. Een klacht van de bewoners is dat er te hard wordt gereden.
## Conclusies voor beleid vanuit de cijfers
Mildam wijkt weinig af van de gemiddelde cijfers voor de gemeente. De leefbaarheid is uitstekend.
Naast de aandacht voor de algemene gezondheidsrisico’s, zoals te weinig bewegen en eenzaamheid, zijn er geen specifieke onderwerpen die aandacht behoeven.
De maatregelen kunnen gericht worden op de diverse leeftijdsgroepen.
**Mildam: 680 inwoners en 300 huishoudens**
|-----+---+---|
| **Bevolking** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Jonger dan 15 jaar | 15% /16% | 100 |
| 45-65 jarigen | 35% /32% | 235 |
| 65-plussers, | 25% /20% | 170 |
| waarvan 80-plussers | 4% / 5% | 30 |
| Westerse migratieachtergrond | 3% / 5% | 20 |
| Niet-westerse migratieachtergrond | 1% / 3% | 10 |
| Gescheiden | 8% / 9% | 45 |
| Weduwen en weduwnaars | 6% / 6% | 35 |
| 1-persoons-huishoudens | 27% /27% | 80 |
|---+----+---|
|-----+---+---|
| **Gezondheid** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Lichamelijke beperkingen | 10% /11% | 55 |
| Beperkingen in mobiliteit | 6% / 7% | 30 |
| Beperkingen in horen | 3% / 4% | 15 |
| Beperkingen in zien | 3% / 4% | 15 |
| Ernstige eenzaamheid | 6% / 7% | 30 |
| Risico angst/depressie | 3% / 4% | 15 |
| Voldoende bewegen | 50% /51% | 265 |
| Sporters | 48% /48% | 255 |
| Obesitas | 12% /12% | 65 |
| Rokers | 18% /19% | 95 |
| Voldoen aan richtlijn alcohol (niet teveel drinken) | 34% /37% | 180 |
|---+----+---|
|-----+---+---|
| **Inkomen** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Huishoudens met laagste inkomens | 10% /16% | 30 |
| Bijstandsgerechtigden | 1% / 3% | -- |
| Huishoudens met hoogste inkomens | 27% /22% | 80 |
|---+----+---|
|-----+---+---|
| **Participatie** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Vrijwilligers | 39% /37% | 205 |
| Mantelzorgers | 15% /14% | 80 |
| Mantelzorg ontvangen (65-plussers) | 10% /12% | 15 |
|---+----+---|
|-----+---+---|
| **Woningen** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Flats en appartementen | 2% /13% | -- |
| Huurwoningen, | 13% /26% | 40 |
| Waarvan huurwoningen in corporatiebezit | 10% /16% | 30 |
| Gemiddelde WOZ | 264.000 /246.000 | |
|---+----+---|
|-----+---+---|
| **Gebruik voorzieningen** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| WMO, waarvan: | 9% /15% | 50 |
| -Huishoudelijke hulp | 20% /16% | 10 |
| -Vervoersvoorziening | 6% /16% | <10 |
| Participatiewet | 1% / 4% | -- |
| Jeugdzorg | 12% /19% | 15 |
|---+----+---|
|-----+---+---|
| **Veiligheid** | | |
|----|---|---|
| **Kenmerken** | **Percentages** * | **Aantal** |
| Diefstal | 6 / 2 | -- |
| Overlast en vernielingen | 0 / 2 | -- |
| Gewelds- en seksuele misdrijven (registraties per 1.000 inwoners) | 1 / 3 | -- |
|---+----+---|
--
--
--"
|-----+---+---|
| **Leefbaarheid** | | |
|----|---|---|
| Leefbaarheid totaal | Cijfer 10 / 9 | |
| -Voorzieningenniveau | +/- | |
| -Veiligheid | + | |
| Verkeerslawaai (19-65 jarigen) | 5% / 4% | 25 |
| Aantal auto's per ha | 2 / 4 | |
|---+----+---|
\* Achter de percentages voor dit gebied staan steeds de gemiddelde percentages van de 30 wijken en dorpen in Heerenveen. De percentages die significant boven of onder het gemiddelde liggen zijn geel gemarkeerd. Wanneer percentages voor verschillende gebieden erg uiteenlopen, zijn alleen zeer hoge of zeer lage percentages significant afwijkend van het gemiddelde. De gemiddelde percentages voor Heerenveen zijn rekenkundige gemiddelden, die mogelijk afwijken van gemiddelden uit andere bronnen. De aantallen zijn schattingen en afgerond op 5-tallen; -- betekent dat het aantal verwaarloosbaar klein is.
Voor de definities van de indicatoren in de tabel zie de toelichting onder ‘Het onderzoek’.
| 52.559055 | 604 | 0.482397 | nld_Latn | 0.99838 |
1443b17a02b09dd5fc645eafea4188219d900793 | 730 | md | Markdown | docs/framework/debugging.md | aclisp/go-micro-examples | da629ce32be635d85e7c18e7aebf9fde2431ad99 | [
"Apache-2.0"
] | 1 | 2020-09-13T10:36:36.000Z | 2020-09-13T10:36:36.000Z | v2/framework/debugging.md | micro-community/micro-docs | 30732792a25bff2c8d84e6288f0d4eea45448737 | [
"Apache-2.0"
] | null | null | null | v2/framework/debugging.md | micro-community/micro-docs | 30732792a25bff2c8d84e6288f0d4eea45448737 | [
"Apache-2.0"
] | 1 | 2021-02-17T16:27:59.000Z | 2021-02-17T16:27:59.000Z | ---
title: Debugging
keywords: debug
tags: [debug]
sidebar: home_sidebar
permalink: /docs/debugging.html
summary:
---
Enable debugging of micro or go-micro very simply via the following environment variables.
## Logging
To enable debug logging
```
MICRO_LOG_LEVEL=debug
```
The log levels supported are
```
trace
debug
error
info
```
To view logs from a service
```
micro log [service]
```
## Profiling
To enable profiling via pprof
```
MICRO_DEBUG_PROFILE=http
```
This will start a http server on :6060
## Stats
To view the current runtime stats
```
micro stats [service]
```
## Health
To see if a service is running and responding to RPC queries
```
micro health [service]
```
{% include docs/links.html %}
| 11.774194 | 90 | 0.713699 | eng_Latn | 0.860994 |
1443c30eb450a8ef3542a075b8c932dbe46af9c5 | 1,476 | md | Markdown | articles/finance/localizations/e-invoicing-share-other-organizations.md | adesypri/dynamics-365-unified-operations-public | 6997ec58f0d20fedae98e67d5a3a31427cfa48e0 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/finance/localizations/e-invoicing-share-other-organizations.md | adesypri/dynamics-365-unified-operations-public | 6997ec58f0d20fedae98e67d5a3a31427cfa48e0 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/finance/localizations/e-invoicing-share-other-organizations.md | adesypri/dynamics-365-unified-operations-public | 6997ec58f0d20fedae98e67d5a3a31427cfa48e0 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
# required metadata
title: Share Globalization features with other organizations
description: This topic explains how to share Globalization features with external organizations.
author: dkalyuzh
ms.date: 02/11/2022
ms.topic: article
ms.prod:
ms.technology:
# optional metadata
ms.search.form:
# ROBOTS:
audience: Application User
# ms.devlang:
ms.reviewer: kfend
# ms.tgt_pltfrm:
ms.custom:
ms.assetid:
ms.search.region: Global
# ms.search.industry:
ms.author: dkalyuzh
ms.search.validFrom:
ms.dyn365.ops.version:
---
# Share Globalization features with other organizations
[!include [banner](../includes/banner.md)]
Follow these steps to share a Globalization feature with an external organization.
1. Sign in to your Regulatory Configuration Service (RCS) account.
2. In the **Globalization feature** workspace, in the **Features** section, select the **Electronic invoicing** tile.
3. On the **Electronic invoicing features** page, select the feature and version to share. You can't share feature versions that have a status of **Draft**.
4. On the **Organizations** tab, select **Share with**, and then, in the drop-down dialog box, enter the domain name of the organization that you want to share the feature with.
5. Select **Share**.
The feature is shared with the selected organization and becomes available for that organization in the Global repository. From there, the feature can be imported into the organization's RCS instance and used.
| 34.325581 | 209 | 0.76897 | eng_Latn | 0.993617 |
14461226005f63db08fd287ce79feab7a6f14d08 | 879 | md | Markdown | data/issues/ZF-9249.md | zendframework/zf3-web | 5852ab5bfd47285e6b46f9e7b13250629b3e372e | [
"BSD-3-Clause"
] | 40 | 2016-06-23T17:52:49.000Z | 2021-03-27T20:02:40.000Z | data/issues/ZF-9249.md | zendframework/zf3-web | 5852ab5bfd47285e6b46f9e7b13250629b3e372e | [
"BSD-3-Clause"
] | 80 | 2016-06-24T13:39:11.000Z | 2019-08-08T06:37:19.000Z | data/issues/ZF-9249.md | zendframework/zf3-web | 5852ab5bfd47285e6b46f9e7b13250629b3e372e | [
"BSD-3-Clause"
] | 52 | 2016-06-24T22:21:49.000Z | 2022-02-24T18:14:03.000Z | ---
layout: issue
title: "Inconsistent line ending style in Zend_Http_Client"
id: ZF-9249
---
ZF-9249: Inconsistent line ending style in Zend\_Http\_Client
-------------------------------------------------------------
Issue Type: Sub-task Created: 2010-02-24T01:50:11.000+0000 Last Updated: 2010-02-24T17:44:52.000+0000 Status: Resolved Fix version(s): - 1.10.3 (01/Apr/10)
Reporter: Lukas Drbal (lestr) Assignee: Satoru Yoshida (satoruyoshida) Tags: - Zend\_Http\_Client
Related issues:
Attachments:
### Description
Line 78 ending with CRLF
lestr@lestr-nb:~/ext/svn/ZendFramework/trunk$ svn blame library/Zend/Http/Client.php |head -n 78|tail -n 1 19706 maartenba const CONNECT = 'CONNECT';
its same on releace branche
### Comments
Posted by Satoru Yoshida (satoruyoshida) on 2010-02-24T17:44:23.000+0000
Thank You for Report, Solved at r21203.
| 24.416667 | 156 | 0.682594 | eng_Latn | 0.273325 |
1446ecf71e4038fd68c7d331c7a0007e03859b59 | 5,645 | md | Markdown | _posts/2019-08-01-Download-in-africa-apos-s-forest-and-jungle-six-years-among-the-yorubas-religion-american-cul.md | Camille-Conlin/26 | 00f0ca24639a34f881d6df937277b5431ae2dd5d | [
"MIT"
] | null | null | null | _posts/2019-08-01-Download-in-africa-apos-s-forest-and-jungle-six-years-among-the-yorubas-religion-american-cul.md | Camille-Conlin/26 | 00f0ca24639a34f881d6df937277b5431ae2dd5d | [
"MIT"
] | null | null | null | _posts/2019-08-01-Download-in-africa-apos-s-forest-and-jungle-six-years-among-the-yorubas-religion-american-cul.md | Camille-Conlin/26 | 00f0ca24639a34f881d6df937277b5431ae2dd5d | [
"MIT"
] | null | null | null | ---
layout: post
comments: true
categories: Other
---
## Download In africa apos s forest and jungle six years among the yorubas religion american cul book
Not a thing. We know nothing about their wizardries. Johnny got up and put his arms around her. Neither geography nor distance is the key Edom and Jacob came to dinner with Agnes every evening. At the most, smiled. " nests. The six-foot-tall statue was of a nude woman, but she wasn't able to get to her feet to reach the switches that in africa apos s forest and jungle six years among the yorubas religion american cul, in which Bonnie and Clyde were riddled with life as a tumbleweed. Or do you really have something?" If blood tests revealed that Junior wasn't the father, the right whale (_Balaena mysticetus_ L. ' So the king sent for him and questioned him of the affair of the picture and where was he who had wrought it. But it's an energy-intensive you interested?" She saw my face and her expression shifted from lewd to wary. I felt terribly tired, it hath befallen [many] kings before thee and their women have played them false! Because the computer said so, but he wouldn't be able to prevent dehydration strictly by an act of will, and a head of wild dusty hair? He did no good to my cow with the caked bag, and she proved it to herself in the same way that Colman proved to himself that nobody was going to tell him what he was supposed to think. After this the boiled "Can I. blast, and to a land demolition expert swung a sledgehammer at a headlight, I don't feel washed, "ThereforeвMicky. intriguing. Finally, and in the and many of them were repaid with ingratitude, imaginary goblins explaining life to others but living a pale version of it, raped her. Contact had continued ever since with the same built-in nine-year turn-round factor. " which there's no doubt one present-and that they will hassle even properly "Like what?" them. " health was utterly to ignore the negative, on the micro level where will can prevail, incomplete, whose inspiring widespread suspicion of conspiracy. let me think. For a while they talk about the Fleetwood. He said we'd suffer forever after we were dead. Then she took leave of her and flew away; and all the birds took flight with her, his whole life. When the highway passed through a sunless ravine, manned by a rancher "I should sap! "All right. So he untied the jailor and called the sailors and made plans for Amos' Considering what old Sinsemilla had already revealed, making new friends, or that in 1666. " She groped for a comparison, and he's not aboard a faster-than-light vessel beyond the Horsehead Nebula neglected that offered itself for holding festivities. Here the "rock," if this word can be used have what you wanted. chichi Hollywood parties attended by, abounding in trees and streams and fruits and wide of suburbs, I couldn't I'm too unlucky, but because he did not know any Marine chants. In africa apos s forest and jungle six years among the yorubas religion american cul couldn't see the screen. But notwithstanding all these defeats the "I didn't want to waste your time. She was tired and sick from the sight of the faces of her dead friends. At the school on Roke, as who could blame him, your weathered and comical but was high time to go back and find out what was going on now, to which reference has already been made. like Ivory's. insists THE DAY DRAWS NEAR and also features the name of the ranch. you're not staying the night?" tiptoed to the stairs -- an unnecessary caution, waiting for the train to come in, I was like to go mad for vexation and fell to beseeching my Lord and humbling myself in supplication to Him that He would deliver me from her. wizard. You don't have He nodded. in adulthood-that the boogeyman could not hurt her until she looked him in the [Footnote 272: Cornelis de Bruin, but Barty said, they are going to request explanations, had tossed off great mounds of sheets and blankets, the latter at 40 copecks each. beings who are no more adapted to this Mars than we are. enjoy!" wooden cords! No root-stumps were found, the subject matter of "RandalPs Song", mother-of-all in human relationships. Finally he singled me out and came over to where I was standing, not at all surprised? Habicht and included, c, it Whatever the answers might turn out to be. of a spell, red and black, her lovely face unreadable. The masters and many tenants of the domain added its name to their own, and nearly the same for all classes. I know what's in Joey's will? i. Miserable wretches were at it again. Possibly swing. who decked and in africa apos s forest and jungle six years among the yorubas religion american cul the Christmas tree, little namesakes," he told them when he was alone with them. He'd once spoken that very sentiment to her. " _Nrak_, and I tossed everything into it. most looked as inscrutable as any dreamy-faced Buddha or Easter Island stone head. On either side of the door was a square, and we're not, the sea almost dead calm, and beat the air in fury, on the largest of these islands, ii, less than a day later. "There's really not anything I can tell you. The other groups went along with the taxes as long as each secured better breaks than the others, played and hunted each other, and freckled. Brandy would give her that excuse and spare her the pain of caring. The younger people have it assigned to them to sew "Oh, the length of the block, letting his eyes adapt to the gloom. regardless of their reasons for considering self-destruction. We've left most of them back down the ramp covering the lock out of the cupola. "It's pi to ten places! | 627.222222 | 5,487 | 0.784411 | eng_Latn | 0.999959 |
144770799e4fc8ad2b215a317c650d5e4de1676e | 680 | md | Markdown | Day-x-Ansible-Variables/README.md | gowseshaik/30-Days-of-Ansible-Bootcamp | 2677d5af249b8d5375d41c588f147eeb7a4ea845 | [
"Apache-2.0"
] | null | null | null | Day-x-Ansible-Variables/README.md | gowseshaik/30-Days-of-Ansible-Bootcamp | 2677d5af249b8d5375d41c588f147eeb7a4ea845 | [
"Apache-2.0"
] | null | null | null | Day-x-Ansible-Variables/README.md | gowseshaik/30-Days-of-Ansible-Bootcamp | 2677d5af249b8d5375d41c588f147eeb7a4ea845 | [
"Apache-2.0"
] | 1 | 2021-12-08T13:40:44.000Z | 2021-12-08T13:40:44.000Z | ## Managing Variables in Ansible
[Ansible Full Course – YouTube Playlist](https://youtu.be/K4wGqwS2RLw?list=PLH5uDiXcw8tSW9Y6FsVsSQJQ88tMPBsbK)
**Variable Naming**
| Valid Variable Names | Invalid Names |
| ----------- | ----------- |
| file_name | file name |
| new_server | new.server |
| webserver_1 | 1st webserver |
| router_ip_101 | router-ip-$1 |
**Defining Variables**
You can define variables at different levels in Ansible projects
- Global Scope – when you set variables in Ansible configuration or via command line.
- Play Scope – set in the play
- Host Scope – when you set variables for hosts or groups inside inventory, fact gathering or registered tasks.
| 30.909091 | 111 | 0.726471 | eng_Latn | 0.940725 |
14478ea5ba8354fcb242b70e14757dfadd1dd87e | 362 | md | Markdown | src/test/resources/Maruku/smartypants.md | kmizu/pegdown | 19ca3d3d2bea5df19eb885260ab24f1200a16452 | [
"Apache-2.0"
] | 888 | 2015-01-02T04:07:44.000Z | 2022-03-26T11:09:01.000Z | src/test/resources/Maruku/smartypants.md | kmizu/pegdown | 19ca3d3d2bea5df19eb885260ab24f1200a16452 | [
"Apache-2.0"
] | 129 | 2015-01-06T22:14:25.000Z | 2021-03-18T20:40:21.000Z | src/test/resources/Maruku/smartypants.md | kmizu/pegdown | 19ca3d3d2bea5df19eb885260ab24f1200a16452 | [
"Apache-2.0"
] | 206 | 2015-01-05T01:56:49.000Z | 2022-03-03T10:03:03.000Z | 'Twas a "test" to 'remember' in the '90s.
'Twas a "test" to 'remember' in the '90s.
It was --- in a sense --- really... interesting.
It was --- in a sense --- really... interesting.
I -- too -- met << some curly quotes >> there or <<here>>No space.
I -- too -- met << some curly quotes >> there or <<here>>No space.
She was 6\"12\'.
> She was 6\"12\'.
| 25.857143 | 67 | 0.585635 | eng_Latn | 0.999656 |
144912aa7e91b70ed65ffd51607745e24565fab6 | 164 | md | Markdown | content/FAQ/_index.md | SomasundaramV/torrencePayroll | 5cafaa4477982825cfa8666faad8db5862415ed1 | [
"Apache-2.0"
] | null | null | null | content/FAQ/_index.md | SomasundaramV/torrencePayroll | 5cafaa4477982825cfa8666faad8db5862415ed1 | [
"Apache-2.0"
] | null | null | null | content/FAQ/_index.md | SomasundaramV/torrencePayroll | 5cafaa4477982825cfa8666faad8db5862415ed1 | [
"Apache-2.0"
] | null | null | null | +++
title = "FAQ"
date = 2019-10-18T00:01:35-05:00
weight = 8
chapter = true
pre = "<b>8. </b>"
+++
### Chapter X
# Some Chapter title
Lorem Ipsum.
| 11.714286 | 33 | 0.542683 | eng_Latn | 0.704242 |
144a2ae9d12c2aecd07549a09f121220f72257ee | 57 | md | Markdown | README.md | Yfibextech/Yfibex.tech | 6c3b573d503dc60ab4f380e52e96be39059b0794 | [
"Apache-2.0"
] | 1 | 2020-10-16T10:28:21.000Z | 2020-10-16T10:28:21.000Z | README.md | Yfibextech/Yfibex.tech | 6c3b573d503dc60ab4f380e52e96be39059b0794 | [
"Apache-2.0"
] | null | null | null | README.md | Yfibextech/Yfibex.tech | 6c3b573d503dc60ab4f380e52e96be39059b0794 | [
"Apache-2.0"
] | null | null | null | # Yfibex.tech
YFIbex is a new generation of defi project
| 19 | 42 | 0.789474 | eng_Latn | 0.997198 |
144a981ecc282db761c6ef2b3e835eb006979cbf | 400 | md | Markdown | src/iOS/Xamarin.iOS/Samples/Data/FeatureLayerQuery/readme.md | JonLavi/arcgis-runtime-samples-dotnet | b9b4ea556ce6130d6d2c783ea613c6ae702c9332 | [
"Apache-2.0"
] | 1 | 2019-05-25T07:48:32.000Z | 2019-05-25T07:48:32.000Z | src/iOS/Xamarin.iOS/Samples/Data/FeatureLayerQuery/readme.md | JonLavi/arcgis-runtime-samples-dotnet | b9b4ea556ce6130d6d2c783ea613c6ae702c9332 | [
"Apache-2.0"
] | null | null | null | src/iOS/Xamarin.iOS/Samples/Data/FeatureLayerQuery/readme.md | JonLavi/arcgis-runtime-samples-dotnet | b9b4ea556ce6130d6d2c783ea613c6ae702c9332 | [
"Apache-2.0"
] | 1 | 2019-03-14T21:39:15.000Z | 2019-03-14T21:39:15.000Z | # Feature layer query
This sample demonstrates how to query a feature layer via feature table.
<img src="FeatureLayerQuery.jpg" width="350"/>
## Instructions
The sample provides a search bar on the top, where you can input the name of a US State. When you hit search the app performs a query on the feature table and based on the result either highlights the state geometry or provides an error.
| 40 | 237 | 0.78 | eng_Latn | 0.999571 |
144acf06e7f99bcee1df97bbc839dabacaaaca19 | 4,077 | md | Markdown | README.md | nce11/deepcover | 129488e3593f8d69e352be1e613f44480e4033e6 | [
"BSD-3-Clause"
] | 25 | 2018-03-14T21:23:00.000Z | 2021-11-22T14:06:20.000Z | README.md | nce11/deepcover | 129488e3593f8d69e352be1e613f44480e4033e6 | [
"BSD-3-Clause"
] | 1 | 2022-03-13T07:15:15.000Z | 2022-03-14T10:29:50.000Z | README.md | nce11/deepcover | 129488e3593f8d69e352be1e613f44480e4033e6 | [
"BSD-3-Clause"
] | 18 | 2018-03-14T19:20:45.000Z | 2022-02-16T18:33:10.000Z | # DeepCover: Uncover the Truth Behind AI

DeepCover explains image classifiers using [statistical fault localization](https://www.ecva.net/papers/eccv_2020/papers_ECCV/papers/123730392.pdf) and
[causal theory](https://openaccess.thecvf.com/content/ICCV2021/papers/Chockler_Explanations_for_Occluded_Images_ICCV_2021_paper.pdf).
Videos: [ECCV2020](https://www.youtube.com/watch?v=vTyfOBAGm_o), [ICCV2021](https://www.cprover.org/deepcover/iccv2021/iccv2021-talk-compatible.mp4)
# Install and Setup
#### Create a clean Docker container with Ubuntu 20.04
```
docker run -v ${PWD}:/home -it ubuntu:20.04
```
#### Commands
```
apt-get update && apt-get install pip git ffmpeg libsm6 libxext6 && pip install matplotlib seaborn tensorflow==2.3.0 keras==2.4.3 numpy==1.18.0 scipy==1.4.1 opencv-python && cd home && git clone https://github.com/theyoucheng/deepcover
```
# Hello DeepCover
```
python ./src/deepcover.py --help
usage: deepcover.py [-h] [--model MODEL] [--inputs DIR] [--outputs DIR]
[--measures [...]] [--measure MEASURE] [--mnist-dataset]
[--normalized-input] [--cifar10-dataset] [--grayscale]
[--vgg16-model] [--inception-v3-model] [--xception-model]
[--mobilenet-model] [--attack] [--text-only]
[--input-rows INT] [--input-cols INT]
[--input-channels INT] [--x-verbosity INT]
[--top-classes INT] [--adversarial-ub FLOAT]
[--adversarial-lb FLOAT] [--masking-value INT]
[--testgen-factor FLOAT] [--testgen-size INT]
[--testgen-iterations INT] [--causal] [--wsol FILE]
[--occlusion FILE]
```
## To start running the Statistical Fault Localization (SFL) based explaining:
```
python ./src/sfl.py --mobilenet-model --inputs data/panda --outputs outs --testgen-size 200
```
`--mobilenet-model` pre-trained keras model
`--inputs` input images folder
`--outputs` output images folder
`--testgen-size` the number of input mutants to generate for explaining (by default, it is 2,000)
## More options
```
python src/deepcover.py --mobilenet-model --inputs data/panda/ --outputs outs --measures tarantula zoltar --x-verbosity 1 --masking-value 0
```
`--measures` to specify the SFL measures for explaining: tarantula, zoltar, ochiai, wong-ii
`--x-verbosity` to control the verbosity level of the explanation results
`--masking-value` to control the masking color for mutating the input image
## To start running the causal theory based explaining:
```
python ./sfl-src/sfl.py --mobilenet-model --inputs data/panda --outputs outs --causal --testgen-iterations 50
```
`--causal` to trigger the causal explanation
`--testgen-iterations` number of individual causal refinement calls; by default, it’s 1
## To load your own model
```
python src/deepcover.py --model models/gtsrb_backdoor.h5 --input-rows 32 --input-cols 32 --inputs data/gtsrb/ --outputs outs
```
`--input-rows` row number for the input image
`--input-cols` column number for the input image
# Publications
```
@inproceedings{sck2021,
AUTHOR = { Sun, Youcheng
and Chockler, Hana
and Kroening, Daniel },
TITLE = { Explanations for Occluded Images },
BOOKTITLE = { International Conference on Computer Vision (ICCV) },
PUBLISHER = { IEEE },
PAGES = { 1234--1243 },
YEAR = { 2021 }
}
```
```
@inproceedings{schk2020,
AUTHOR = { Sun, Youcheng
and Chockler, Hana
and Huang, Xiaowei
and Kroening, Daniel},
TITLE = {Explaining Image Classifiers using Statistical Fault Localization},
BOOKTITLE = {European Conference on Computer Vision (ECCV)},
YEAR = { 2020 }
}
```
# Miscellaneous
[Roaming Panda Dataset](https://github.com/theyoucheng/deepcover/tree/master/roaming-panda/)
[Photo Bombing Dataset](https://github.com/theyoucheng/deepcover/tree/master/data/photobombing/)
[DeepCover Site](https://www.cprover.org/deepcover/)
| 36.72973 | 235 | 0.670101 | eng_Latn | 0.356007 |
144b373d6ef9cc854ce3dae30ca213109cc3d8f0 | 8,574 | md | Markdown | dynamicsax2012-technet/create-payments-for-customers-who-have-direct-debit-mandates.md | RobinARH/DynamicsAX2012-technet | d0d0ef979705b68e6a8406736612e9fc3c74c871 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | dynamicsax2012-technet/create-payments-for-customers-who-have-direct-debit-mandates.md | RobinARH/DynamicsAX2012-technet | d0d0ef979705b68e6a8406736612e9fc3c74c871 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | dynamicsax2012-technet/create-payments-for-customers-who-have-direct-debit-mandates.md | RobinARH/DynamicsAX2012-technet | d0d0ef979705b68e6a8406736612e9fc3c74c871 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Create payments for customers who have direct debit mandates
TOCTitle: Create payments for customers who have direct debit mandates
ms:assetid: 1a955849-0c18-4272-89e4-1ded346e1e33
ms:mtpsurl: https://technet.microsoft.com/en-us/library/Dn269115(v=AX.60)
ms:contentKeyID: 54920067
ms.date: 04/27/2014
mtps_version: v=AX.60
f1_keywords:
- Classes.CustSumForPaym
- Classes.CustVendCreatePaymJournal_Cust
- Forms.CustTableListPage
- Forms.CustVendPaymentProcessingData
- direct debit
- Forms.LedgerJournalTransCustPaym
- Forms.CustTable
- Forms.LedgerJournalTable
- BE - 00019
- DE - 00015
- direct debit payments
- ES - 00023
- FR - 00019
- direct debit mandates
- IT - 00035
- NL - 00014
- GBL - 00003
- MsDynAx060.Forms.LedgerJournalTable
- MsDynAx060.Forms.CustTable
- MsDynAx060.Forms.LedgerJournalTransCustPaym
- MsDynAx060.Forms.CustTableListPage
- MsDynAx060.Forms.CustVendPaymentProcessingData
audience: Application User
ms.search.region: Global
---
# Create payments for customers who have direct debit mandates
_**Applies To:** Microsoft Dynamics AX 2012 R3, Microsoft Dynamics AX 2012 R2_
You can create SEPA direct debit payments for customers who have invoices that use a method of payment that requires a mandate. This topic explains how to create a payment proposal for customers who have direct debit mandates. It also explains how you can verify and print mandate information after the payment is posted.
> [!NOTE]
> <P>This topic has been updated to include information about features that were added or changed for Microsoft Dynamics AX 2012 R3, AX 2012 R2 with the hotfix in <A href="https://mbs2.microsoft.com/knowledgebase/kbdisplay.aspx?scid=kb%3ben-us%3b2902097">KB2902097</A>, and AX 2012 with the hotfix in <A href="https://mbs2.microsoft.com/knowledgebase/kbdisplay.aspx?scid=kb%3ben-us%3b2902097">KB2902097</A>.</P>
Depending on the version that you are using, you can generate electronic payment files for SEPA in the following formats:
- In AX 2012 R3 or cumulative update 7 or later for AX 2012 R2: You can generate SEPA direct debit payment files in the ISO 20022 PAIN.008.001.02 XML file format for Belgium, Germany, Spain, France, Italy, and the Netherlands.
- In AX 2012 R3, AX 2012 R2 with the hotfix in KB2902097, and AX 2012 with the hotfix in KB2902097: You can generate electronic payment files for SEPA direct debits in the PAIN.008.001.02 XML file format for Austria, and in the PAIN.008.003.02 XML file format for Germany.
## Prerequisites
The following table shows the prerequisites that must be in place before you start.
<table>
<colgroup>
<col style="width: 50%" />
<col style="width: 50%" />
</colgroup>
<thead>
<tr class="header">
<th><p>Category</p></th>
<th><p>Prerequisite</p></th>
</tr>
</thead>
<tbody>
<tr class="odd">
<td><p><strong>Version</strong></p></td>
<td><p>AX 2012 R3, AX 2012 R2, or AX 2012</p></td>
</tr>
<tr class="even">
<td><p><strong>Country/region</strong></p></td>
<td><p>The primary address for the legal entity must be in the following countries/regions: Austria, Belgium, Germany, Spain, France, Italy, or the Netherlands</p></td>
</tr>
<tr class="odd">
<td><p><strong>Related tasks</strong></p></td>
<td><ul>
<li><p>Set up direct debit mandates. For more information, see <a href="set-up-sepa-direct-debit-mandate.md">Set up SEPA direct debit mandate</a>.</p></li>
<li><p>Add direct debit mandate information for a customer account. For more information, see <a href="add-direct-debit-mandate-information-to-a-customer-account.md">Add direct debit mandate information to a customer account</a>.</p></li>
<li><p>Create a free text invoice for a customer who has a direct debit mandate. For more information, see <a href="enter-an-invoice-or-transaction-for-a-customer-who-has-a-direct-debit-mandate.md">Enter an invoice or transaction for a customer who has a direct debit mandate</a>.</p></li>
</ul></td>
</tr>
</tbody>
</table>
## Create a payment proposal for customers who have direct debit mandates
You can use the **Payment journal** form to create a payment proposal for customers who have direct debit mandates.
To create a payment proposal, follow these steps:
1. Click **Accounts receivable** \> **Journals** \> **Payments** \> **Payment journal**.
2. Select a journal name, and then click **Lines**.
3. Select a journal line, and then click **Payment proposal** \> **Create payment proposal**.
4. In the **Customer payment proposal** form, click **Select**.
5. In the **Customer payment proposal query** form, in the **Criteria** field, select the criteria for the customer transactions.
6. To add restrictions to select documents by mandate scheme or payment frequency, in the upper pane, right-click the **Customer transactions** table in the tree and add the **Customer direct debit mandates** table. Enter criteria, and then click **OK**.
7. In the **Customer payment proposal** form, enter other information for the payment proposal as needed, and then click **OK**.
8. Click **Functions** \> **Generate payments**.
9. In the **Generate payments** form, select **Payment method**, and then in the **Method of payment** field, select a method of payment that requires a mandate.
10. Select **Export payment using service**, and then in the **Payment format** field, select an export format such as **SEPADirectDebit** to generate payments by using the payment format.
> [!NOTE]
> <P>You can create payment formats for Application Integration Framework (AIF) services in the <STRONG>Outbound ports for electronic payments</STRONG> form.</P>
11. In the **Bank account** field, select the bank account for SEPA direct debit.
12. Click **OK** to open the **Payment processing data** form.
13. In the **Payment processing data** form, modify the information that is specific to the SEPA direct debit payment format.
14. In AX 2012 R3 and cumulative update 7 or later for AX 2012 R2: To generate the country-specific or region-specific version of the direct debit file, in the **Value** field, enter the two-digit country or region code. Leave this field blank to use the generic direct debit file format.
15. Select the **Control report** check box to print a control report for the electronic payment file.
16. Click **OK** to generate the electronic payment file in the format of the selected country.
Payments are generated, and the payment status in the **Journal voucher** form changes to **Sent**.
17. Click **Post** \> **Post**. Payments are posted. The usage count for each customer mandate is incremented. If a payment is settled with two invoices, the usage count is incremented by two, even though only one payment is used. If a payment is settled for another legal entity, the usage count is updated in the invoice.
## Print the mandate information for customer transactions
To verify mandate information for customer transactions and print the mandate information, follow these steps:
1. Click **Accounts receivable** \> **Common** \> **Customers** \> **All customers**.
2. Double-click a customer account.
3. On the **Direct debit mandates** FastTab, double-click a mandate to verify the mandate information. The usage count for the customer’s mandate is automatically updated when the payment is posted.
4. To view the remaining invoices for the selected mandate, click **Print** \> **Notification report**.
5. Click **OK** to print the mandate information.
> [!NOTE]
> <P>In the <STRONG>Customers</STRONG> form, you can click <STRONG>Transactions</STRONG> to view the customer transactions for the payment.</P>
## Technical information for system administrators
If you don't have access to the pages that are used to complete this task, contact your system administrator and provide the information that is shown in the following table.
<table>
<colgroup>
<col style="width: 50%" />
<col style="width: 50%" />
</colgroup>
<thead>
<tr class="header">
<th><p>Category</p></th>
<th><p>Prerequisite</p></th>
</tr>
</thead>
<tbody>
<tr class="odd">
<td><p><strong>Configuration keys</strong></p></td>
<td><p>No configuration key is required for this task.</p></td>
</tr>
<tr class="even">
<td><p><strong>Security roles and duties</strong></p></td>
<td><p>To generate payments for customers who have direct debit mandates, you must be a member of a security role that includes the <strong>Maintain customer payments</strong> (PaymCustomerPaymentsMaintain) duty.</p></td>
</tr>
</tbody>
</table>
## See also
[SEPA direct debit overview](sepa-direct-debit-overview.md)
| 44.195876 | 411 | 0.74586 | eng_Latn | 0.964135 |
144ba586fd2a62f638c971c550167e3137c16897 | 395 | md | Markdown | internal/textanalyzer/README.md | comdiv/golang_course_comdiv | 5e56d498fc0d0dd0deaf2a7a832ce866ed228459 | [
"MIT"
] | null | null | null | internal/textanalyzer/README.md | comdiv/golang_course_comdiv | 5e56d498fc0d0dd0deaf2a7a832ce866ed228459 | [
"MIT"
] | 1 | 2021-06-12T15:33:00.000Z | 2021-06-12T15:33:00.000Z | internal/textanalyzer/README.md | comdiv/golang_course_comdiv | 5e56d498fc0d0dd0deaf2a7a832ce866ed228459 | [
"MIT"
] | null | null | null | # Старт в режиме HTTP
Пример запуска
`go run main.go --first --last --http 8080 --pprofhttp same`
также уже и добавлена команда для make на такой вызов:
`go ta_http`
Также добавил [openapi.json](openapi.json) файл и разрешил CORS,
можно в принципе и с [https://editor.swagger.io/](https://editor.swagger.io/) тестировать,
также приложил файл для [insomnia](insomnia.json) с набором вызовов | 28.214286 | 90 | 0.749367 | rus_Cyrl | 0.865199 |
144c184b44b974be1c1f97ebbdaf7ccbd3d66271 | 6,718 | md | Markdown | treebanks/it_twittiro/it_twittiro-dep-orphan.md | emmettstr/docs | 2d0376d6e07f3ffa828f6152d12cf260a530c64d | [
"Apache-2.0"
] | 204 | 2015-01-20T16:36:39.000Z | 2022-03-28T00:49:51.000Z | treebanks/it_twittiro/it_twittiro-dep-orphan.md | emmettstr/docs | 2d0376d6e07f3ffa828f6152d12cf260a530c64d | [
"Apache-2.0"
] | 654 | 2015-01-02T17:06:29.000Z | 2022-03-31T18:23:34.000Z | treebanks/it_twittiro/it_twittiro-dep-orphan.md | emmettstr/docs | 2d0376d6e07f3ffa828f6152d12cf260a530c64d | [
"Apache-2.0"
] | 200 | 2015-01-16T22:07:02.000Z | 2022-03-25T11:35:28.000Z | ---
layout: base
title: 'Statistics of orphan in UD_Italian-TWITTIRO'
udver: '2'
---
## Treebank Statistics: UD_Italian-TWITTIRO: Relations: `orphan`
This relation is universal.
15 nodes (0%) are attached to their parents as `orphan`.
9 instances of `orphan` (60%) are left-to-right (parent precedes child).
Average distance between parent and child is 2.66666666666667.
The following 12 pairs of parts of speech are connected with `orphan`: <tt><a href="it_twittiro-pos-NOUN.html">NOUN</a></tt>-<tt><a href="it_twittiro-pos-ADV.html">ADV</a></tt> (2; 13% instances), <tt><a href="it_twittiro-pos-PRON.html">PRON</a></tt>-<tt><a href="it_twittiro-pos-INTJ.html">INTJ</a></tt> (2; 13% instances), <tt><a href="it_twittiro-pos-VERB.html">VERB</a></tt>-<tt><a href="it_twittiro-pos-VERB.html">VERB</a></tt> (2; 13% instances), <tt><a href="it_twittiro-pos-ADJ.html">ADJ</a></tt>-<tt><a href="it_twittiro-pos-ADV.html">ADV</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-ADV.html">ADV</a></tt>-<tt><a href="it_twittiro-pos-ADV.html">ADV</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-AUX.html">AUX</a></tt>-<tt><a href="it_twittiro-pos-PRON.html">PRON</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-INTJ.html">INTJ</a></tt>-<tt><a href="it_twittiro-pos-PRON.html">PRON</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-NOUN.html">NOUN</a></tt>-<tt><a href="it_twittiro-pos-NOUN.html">NOUN</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-PRON.html">PRON</a></tt>-<tt><a href="it_twittiro-pos-NUM.html">NUM</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-SCONJ.html">SCONJ</a></tt>-<tt><a href="it_twittiro-pos-ADV.html">ADV</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-VERB.html">VERB</a></tt>-<tt><a href="it_twittiro-pos-INTJ.html">INTJ</a></tt> (1; 7% instances), <tt><a href="it_twittiro-pos-VERB.html">VERB</a></tt>-<tt><a href="it_twittiro-pos-PRON.html">PRON</a></tt> (1; 7% instances).
~~~ conllu
# visual-style 12 bgColor:blue
# visual-style 12 fgColor:white
# visual-style 15 bgColor:blue
# visual-style 15 fgColor:white
# visual-style 15 12 orphan color:blue
1 Renzi Renzi PROPN SP _ 7 parataxis _ SpaceAfter=No
2 : : PUNCT FC _ 1 punct _ _
3 “ “ PUNCT FB _ 7 punct _ SpaceAfter=No
4 I il DET RD Definite=Def|Gender=Masc|Number=Plur|PronType=Art 5 det _ _
5 sindacati sindacato NOUN S Gender=Masc|Number=Plur 7 nsubj _ _
6 devono dovere AUX VM Mood=Ind|Number=Plur|Person=3|Tense=Pres|VerbForm=Fin 7 aux _ _
7 parlare parlare VERB V VerbForm=Inf 0 root _ _
8 con con ADP E _ 10 case _ _
9 gli il DET RD Definite=Def|Gender=Masc|Number=Plur|PronType=Art 10 det _ _
10 imprenditori imprenditore NOUN S Gender=Masc|Number=Plur 7 obl _ SpaceAfter=No
11 , , PUNCT FF _ 15 punct _ _
12 non non ADV BN PronType=Neg 15 orphan _ _
13 con con ADP E _ 15 case _ _
14 il il DET RD Definite=Def|Gender=Masc|Number=Sing|PronType=Art 15 det _ _
15 governo governo NOUN S Gender=Masc|Number=Sing 7 conj _ SpaceAfter=No
16 “ “ PUNCT FB _ 15 punct _ SpaceAfter=No
17 . . PUNCT FS _ 7 punct _ _
18 In In ADP E _ 20 case _ _
19 il il DET RD Definite=Def|Gender=Masc|Number=Sing|PronType=Art 20 det _ _
20 caso caso NOUN S Gender=Masc|Number=Sing 22 obl _ _
21 vi vi PRON PC Clitic=Yes|Number=Plur|Person=2|PronType=Prs 22 iobj _ _
22 chiedeste chiedere VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 7 parataxis _ _
23 chi chi PRON PR Number=Sing|PronType=Rel 22 obj _ _
24 comanda comandare VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 23 acl:relcl _ SpaceAfter=No
25 . . PUNCT FS _ 7 punct _ _
26 [ [ PUNCT FB _ 27 punct _ SpaceAfter=No
27 @user @user SYM SYM _ 7 vocative:mention _ SpaceAfter=No
28 ] ] PUNCT FB _ 27 punct _ SpaceAfter=\n
~~~
~~~ conllu
# visual-style 26 bgColor:blue
# visual-style 26 fgColor:white
# visual-style 25 bgColor:blue
# visual-style 25 fgColor:white
# visual-style 25 26 orphan color:blue
1 @user @user SYM SYM _ 2 vocative:mention _ _
2 Dite dire VERB V Mood=Imp|Number=Plur|Person=2|Tense=Pres|VerbForm=Fin 0 root _ _
3 : : PUNCT FC _ 2 punct _ _
4 “ “ PUNCT FB _ 7 punct _ _
5 Tutti tutto DET T Gender=Masc|Number=Plur|PronType=Tot 7 det:predet _ _
6 i il DET RD Definite=Def|Gender=Masc|Number=Plur|PronType=Art 7 det _ _
7 docenti docente NOUN S Number=Plur 2 parataxis _ _
8 di di ADP E _ 9 case _ _
9 cui cui PRON PR PronType=Rel 13 obl _ _
10 la il DET RD Definite=Def|Gender=Fem|Number=Sing|PronType=Art 12 det _ _
11 buona buono ADJ A Gender=Fem|Number=Sing 12 amod _ _
12 scuola scuola NOUN S Gender=Fem|Number=Sing 13 nsubj _ _
13 ha avere VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 7 acl:relcl _ _
14 bisogno bisogno NOUN S Gender=Masc|Number=Sing 13 obj _ _
15 “ “ PUNCT FB _ 7 punct _ _
16 ... ... PUNCT FF _ 7 punct _ _
17 e e CCONJ CC _ 19 cc _ _
18 come come ADV B _ 19 advmod _ _
19 capirete capire VERB V Mood=Ind|Number=Plur|Person=2|Tense=Fut|VerbForm=Fin 2 parataxis _ _
20 che che PRON PR PronType=Rel 19 obj _ _
21 la la PRON PC Clitic=Yes|Gender=Fem|Number=Sing|Person=3|PronType=Prs 22 obj _ _
22 rende rendere VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 20 acl:relcl _ _
23 buona buono ADJ A Gender=Fem|Number=Sing 22 xcomp _ _
24 e e CCONJ CC _ 25 cc _ _
25 chi chi PRON PR PronType=Rel 19 conj _ _
26 no no INTJ I _ 25 orphan _ SpaceAfter=No
27 ? ? PUNCT FS _ 19 punct _ _
28 Tessera tessera PROPN SP _ 19 parataxis _ _
29 di di ADP E _ 30 case _ _
30 partito partito NOUN S Gender=Masc|Number=Sing 28 nmod _ SpaceAfter=No
31 ? ? PUNCT FS _ 28 punct _ SpaceAfter=\n
~~~
~~~ conllu
# visual-style 16 bgColor:blue
# visual-style 16 fgColor:white
# visual-style 11 bgColor:blue
# visual-style 11 fgColor:white
# visual-style 11 16 orphan color:blue
1 .@SteGiannini .@SteGiannini PROPN SP _ 6 vocative:mention _ _
2 Eh Eh PROPN SP _ 6 discourse _ _
3 sì sì INTJ I _ 6 discourse _ _
4 ! ! PUNCT FS _ 3 punct _ _
5 lo lo PRON PC Clitic=Yes|Gender=Masc|Number=Sing|Person=3|PronType=Prs 6 obj _ _
6 sa sapere VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 0 root _ _
7 Iddio Iddio PROPN SP _ 6 nsubj _ _
8 quanto quanto ADV B _ 11 advmod _ _
9 bisogno bisogno NOUN S Gender=Masc|Number=Sing 11 dislocated _ _
10 ne ne PRON PC Clitic=Yes|PronType=Prs 11 obj _ _
11 ha avere VERB V Mood=Ind|Number=Sing|Person=3|Tense=Pres|VerbForm=Fin 6 advcl _ _
12 la il DET RD Definite=Def|Gender=Fem|Number=Sing|PronType=Art 13 det _ _
13 classe classe NOUN S Gender=Fem|Number=Sing 11 nsubj _ _
14 dirigente dirigente ADJ A Number=Sing 13 amod _ _
15 di di ADP E _ 16 mark _ _
16 tornare tornare VERB V VerbForm=Inf 11 orphan _ _
17 a a ADP E _ 18 case _ _
18 #labuonascuola #labuonascuola SYM SYM _ 16 obl _ SpaceAfter=\n
~~~
| 53.31746 | 1,583 | 0.727151 | yue_Hant | 0.74292 |
144cfeef39934a2883b876deefce6cc41751b035 | 2,544 | md | Markdown | 2021/taiwan/apply.md | meghaarora42/summer-institute | 396a93ee5e999c3be5c4c212953eb8ddfd8ae7cd | [
"MIT"
] | 264 | 2017-02-01T16:50:02.000Z | 2022-03-30T20:36:20.000Z | 2021/taiwan/apply.md | meghaarora42/summer-institute | 396a93ee5e999c3be5c4c212953eb8ddfd8ae7cd | [
"MIT"
] | 103 | 2017-03-31T19:32:05.000Z | 2022-02-26T03:24:55.000Z | 2021/taiwan/apply.md | meghaarora42/summer-institute | 396a93ee5e999c3be5c4c212953eb8ddfd8ae7cd | [
"MIT"
] | 199 | 2017-06-19T15:04:00.000Z | 2022-03-18T13:21:14.000Z | ---
layout: location_detail
partner_site: taiwan
---
# Apply
## Eligibility
Participation is restricted to master students, doctoral students, post-doctoral researchers, research fellows and junior faculty. Graduate students and researchers who are affiliated with the National Chengchi University or based in Taiwan are encouraged to apply. Participants should be comfortable with using both English and Mandarin Chinese. The event will be conducted in Taiwan Timezone. About 24 participants will be invited.
The Summer Institute aims to bring together computational social scientists across all levels of technical experience. Participants with less experience with social science research will be expected to complete additional readings in advance of the Institute, and participants with less experience coding will be expected to complete a set of online learning modules on the R programming language. Students doing this preparatory work will be supported by a teaching assistant who will hold online office hours during the two months before the Institute.
We welcome applicants from all backgrounds and fields of study, especially applicants from groups currently under-represented in computational social science. We evaluate applicants along a number of dimensions: 1) research and teaching in the area of computational social science 2) contributions to public goods, such as creating open source software, curating public datasets, and creating educational opportunities for others 3) likelihood to benefit from participation 4) likelihood to contribute to the educational experience of other participants 5) potential to spread computational social science to new intellectual communities and areas of research 6) potential topic related to Taiwanese contexts. Further, when making our evaluations, we attempt to account for an applicant’s career stage and previous educational opportunities.
## How to Apply
Applications is now open. Please submit via the following [form](https://forms.gle/aHZaRG2whYM8LAh7A)
Applicants must submit the following documents: 1) Resume/CV and 2) Application form
In order to be guaranteed full consideration, all application materials must be submitted by March 15th, 2021. Applications that are not complete by the deadline may not receive full consideration. We will notify applicants solely through e-mail by March 31st, 2021, and will ask participants to confirm their participation by paying a $1,000 NTD deposit (fully refundable at the completion of the program) within 7-day period.
| 133.894737 | 841 | 0.82783 | eng_Latn | 0.99954 |
144e07f14f31a2c743885c47682c336a4e9fdc9a | 608 | md | Markdown | README.md | Nubian-God/OCTGN-UFS | be23b15bed0275e430e9ba712e1d329d09e6af16 | [
"MIT"
] | 1 | 2021-07-29T03:38:49.000Z | 2021-07-29T03:38:49.000Z | README.md | Nubian-God/OCTGN-UFS | be23b15bed0275e430e9ba712e1d329d09e6af16 | [
"MIT"
] | 7 | 2016-06-14T16:07:26.000Z | 2019-07-08T01:40:13.000Z | README.md | Nubian-God/OCTGN-UFS | be23b15bed0275e430e9ba712e1d329d09e6af16 | [
"MIT"
] | 6 | 2016-06-01T04:08:41.000Z | 2019-07-15T01:09:37.000Z | OCTGN-UFS
=========
This is the game UFS by Jasco Games.
All UFS images are copyright Jasco Games. They are included here under explicit permission from Jasco Games and are only to be used building, developing, and distributing the OCTGN UFS game plugin. Any other use is strictly prohibited by law. It is also strictly prohibited via the agreement with Jasco Games to use their IP(including images) for direct monetary gain.
Huge shout-out to RyanC who did a large amount of work. He is uncredited in the commit record because he didn't use git to keep the game updated, which is why he's mentioned here. | 76 | 368 | 0.784539 | eng_Latn | 0.99998 |
144eada963592fbe95d9e617d8c5cb717276460b | 2,080 | md | Markdown | intune-user-help/set-your-pin-or-password-android.md | sunnyDB/IntuneDocs.hu-hu | 573414c7f7b49a2e33d7d445200c914789cc5c27 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | intune-user-help/set-your-pin-or-password-android.md | sunnyDB/IntuneDocs.hu-hu | 573414c7f7b49a2e33d7d445200c914789cc5c27 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | intune-user-help/set-your-pin-or-password-android.md | sunnyDB/IntuneDocs.hu-hu | 573414c7f7b49a2e33d7d445200c914789cc5c27 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: PIN-kód vagy jelszó beállítása | Microsoft Docs
description: ''
keywords: ''
author: lenewsad
ms.author: lanewsad
manager: dougeby
ms.date: 02/07/2018
ms.topic: article
ms.prod: ''
ms.service: microsoft-intune
ms.technology: ''
ms.assetid: b29ac1bb-ef57-4ef1-9ea5-191ee8694e58
searchScope:
- User help
ROBOTS: ''
ms.reviewer: arnab
ms.suite: ems
ms.custom: intune-enduser
ms.collection: M365-identity-device-management
ms.openlocfilehash: 95862c006baef40bfb219e5cff50d5622c8c00b4
ms.sourcegitcommit: 143dade9125e7b5173ca2a3a902bcd6f4b14067f
ms.translationtype: MT
ms.contentlocale: hu-HU
ms.lasthandoff: 04/23/2019
ms.locfileid: "61505811"
---
# <a name="set-your-pin-or-password"></a>PIN kód vagy jelszó beállítása
Ha az Intune-t használva fér hozzá munkahelyi vagy iskolai adataihoz, a cég informatikai támogatási szolgálata megkövetelheti, hogy állítson be PIN-kódot vagy jelszót az androidos eszközén. Elképzelhető, hogy olyan üzenetek jelennek meg, amelyek hosszabb vagy összetettebb PIN-kód vagy jelszó megadását kérik a fokozott biztonság érdekében. Ezeket a PIN-kódokat többek között arra használhatja, hogy a zárolási képernyőről érje el az eszközt.
Az alábbi lépéseket követve állíthatja be a PIN-kódot vagy a jelszót.
1. Koppintson a **Beállítások** > **Biztonság** > **Képernyőzár** > **Jelszó** elemre.
2. Állítsa be és erősítse meg az új jelszót.
Egyes eszközöknél előfordulhat, hogy a jelszava mellett egy indítási PIN-kódot is be kell állítania. Lehetséges, hogy ezt a problémát megoldhatja, ha a megkeresi ezt a beállítási lehetőséget a beállításokat végző alkalmazásban. A Samsung Galaxy S7 eszközökön például a biztonságos indítást a **Beállítások** > **Képernyőzár és biztonság** > **Biztonságos indítás** területen engedélyezheti. További információkért kattintson [ide ](/intune-user-help/your-device-appears-encrypted-but-cp-says-otherwise-android).
További segítségre van szüksége? Forduljon a cég informatikai támogatásához. Az elérhetőségét keresse meg a [Vállalati portál webhelyén](https://go.microsoft.com/fwlink/?linkid=2010980).
| 50.731707 | 512 | 0.799519 | hun_Latn | 0.999987 |
144ec5b655f9f719186091aee716393532131d2f | 5,123 | md | Markdown | challenge-Programs/performance-challenge-cn.md | husiyu/community | 3fc3ccc7a989bf55aa84432d0e7b6e2d6821a27d | [
"Apache-2.0"
] | null | null | null | challenge-Programs/performance-challenge-cn.md | husiyu/community | 3fc3ccc7a989bf55aa84432d0e7b6e2d6821a27d | [
"Apache-2.0"
] | null | null | null | challenge-Programs/performance-challenge-cn.md | husiyu/community | 3fc3ccc7a989bf55aa84432d0e7b6e2d6821a27d | [
"Apache-2.0"
] | null | null | null | ### TiDB Performance Challenge Program
TiDB 产品的每一次微小进步都离不开社区小伙伴的支持和帮助,我们很欣喜地看到:越来越多的小伙伴参与到 TiDB 开源社区的建设当中,越来越多的小伙伴在 TiDB 开源社区用自己的方式表达着对于开源的热情和对于技术的追求,TiDB 也在社区小伙伴的推动下,不断地刷新着过去的成绩。
我们感谢并始终相信开源社区的力量,为了让 TiDB 产品在稳定性、性能、易用性等方面更上一层楼,我们决定推出一个中长期的挑战计划 —— TiDB Challenge Program,将一些 Issue 开放出来,供社区小伙伴共同探讨,共同解决,每一个 Issue 都将对应一定的积分,参赛选手可在每个赛季结束后用获得的积分兑换社区大礼。
TiDB Performance Challenge Program 作为 TiDB Challenge Program 系列的第一赛季,将聚焦 Performance Improvement,于 2019 年 11 月 4 日正式开启,2020 年 2 月 4 日结束,持续 3 个月。
欢迎大家加入 [TiDB Community Slack Workspace](https://join.slack.com/t/tidbcommunity/shared_invite/enQtNzc0MzI4ODExMDc4LWYwYmIzMjZkYzJiNDUxMmZlN2FiMGJkZjAyMzQ5NGU0NGY0NzI3NTYwMjAyNGQ1N2I2ZjAxNzc1OGUwYWM0NzE),参赛过程中遇到任何问题都可以直接通过 **#performance-challenge-program channel** 与我们取得联系。
### 赛前准备
- 参考 [Join GitHub](https://github.com/join) 完成 GitHub 账号的创建。
- 参考 [Installing Git](https://git-scm.com/book/en/v2/Getting-Started-Installing-Git) 在本地环境中安装 Git。
- 通过 [Set up Git](https://git-scm.com/book/en/v2/Getting-Started-Installing-Git) 配置 Git 访问 GitHub。
### 报名
- 报名方式: [发起 Issue](https://github.com/tidb-perf-challenge/pcp/issues/new?template=performance-challenge-program.md&title=PCP%3A+Sign+Up) 至 [tidb-perf-challege/pcp](https://github.com/tidb-perf-challenge/pcp) repo
- 格式要求:
- 标题:PCP/Sign Up
- 内容:
- 个人参赛:请对你自己进行简要介绍,并留下可以与你取得联系的邮箱地址。
- 团队参赛:请对你的团队进行简要介绍,写明团队名称,每个团队成员的 GitHub ID,并留下可以与你们取得联系的邮箱地址。可参考 [示例](https://github.com/tidb-perf-challenge/pcp/blob/master/.github/ISSUE_TEMPLATE/performance-challenge-program.md)
**注意事项:**
- 以团队形式参赛,每队成员不可超过 3 人(含 3 人)
### 参赛流程
TiDB Performance Challenge Program 全流程包括:查看任务->领取任务->实现任务->提交任务->评估任务->获得积分->积分兑换,其中“获得积分”之前的步骤都将在 GitHub 上实现。
#### 第一步:查看 / 提出 Issue
当前开放的 Issue 列表可分别在 [TiDB-Performance Challenge Program Project](https://github.com/pingcap/tidb/projects/26)、[TiKV-Performance Challenge Program Project](https://github.com/tikv/tikv/projects/20)、[PD-Performance Challenge Program Project](https://github.com/pingcap/pd/projects/2) 中的 TODO Columns 查看。
其中 TODO Columns 按照题目难易程度划分了 3 列,分别是:TODO/Easy、TODO/Medium、TODO/Hard。每一个 Issue 还设置了一些标签,为方便大家理解,现将 TiDB Performance Challenge 相关标签所代表含义做如下说明:
- “difficulty/easy”、“difficulty/medium”、“difficulty/hard”:Issue 难度级别
- “Component/XX”:Issue 所涉及的模块
除了当前开放的 Issue,如果你有其他关于 **Performance Improvement** 的想法想要实现,可通过发起 Issue 的方式提出 Proposal。发起 Issue 之前请确保你已经了解了 [Contribution Guide](https://github.com/pingcap/community/blob/master/CONTRIBUTING.md) 和 [Contributor Covenant Code of Conduct](https://github.com/pingcap/community/blob/master/CODE_OF_CONDUCT.md)。
- TiDB 相关 Proposal 可通过 [TiDB Issue 发起通道](https://github.com/pingcap/tidb/issues/new?labels=type%2Fenhancement&template=feature-request.md) 提交至 TiDB Repo;
- TiKV 相关 Proposal 可通过 [TiKV Issue 发起通道](https://github.com/tikv/tikv/issues/new?template=feature-request.md) 提交至 TiKV Repo;
- PD 相关 Proposal 可通过 [PD Issue 发起通道](https://github.com/pingcap/pd/issues/new?labels=type%2Fenhancement&template=feature-request.md) 提交至 PD Repo.
格式要求:Issue 标题前需添加“**REQ-PCP**”标记,例如:REQ-PCP: Further extract tidb_query into different workspaces
#### 第二步:领取任务
如果你决定认领某一个 issue,请先在这个 Issue 中 回复 **“/pick-up-challenge”**, 后台将自动判断你所拥有的积分是否具备挑战此 Issue 的资格,积分满足要求即可开始挑战,积分不满足要求,需按照系统提示获得满足挑战要求的积分。
**需要特别提醒的是:**
- 每个参赛主体(含个人及团队)参与 TiDB 性能挑战赛的**初始积分为 0**,需要先完成 “Easy” 的 Issue 将积分积累至 400 分以上(含 400 分),才有资格挑战难度为“Medium”和“Hard”的题目
- 每个参赛主体一次只能领取一个任务
#### 第三步:实现代码
在实现代码的过程中如果遇到问题,可以通过 **#performance-challenge-program channel** 与我们进行探讨,Issue 指定的 Mentor 会尽可能在 24h 内予以回复。不过,在提出问题之前一定要确保你已经仔细阅读过题目内容并且已经完成了参考资料的学习哦~
#### 第四步:提交代码
如果你觉得你的方案已经达到了题目的要求,可在相关 Repo(例如 tidb)的 master 分支上实现你的方案,并将代码以 GitHub Pull Request(简称 PR)的形式提交到相应的 GitHub Repo 上。当 PR 提交后,可在 PR 的评论中 at 该题目的 Mentor 进行代码评审,Mentor 会尽可能在方案提交后的 48h 内完成评估。
注:提交的 PR 需要满足 [Commit Message and Pull Request Style](https://github.com/pingcap/community/blob/master/commit-message-pr-style.md) 中定义的规范
提交方式:代码完成后,参赛者需提交 GitHub Pull Request(PR) 到相应 Repo,如何提交 PR 可参考 [GitHub Workflow](https://github.com/pingcap/community/blob/master/contributors/workflow.md),这里也有一些 [SRE-BOT Command Help](https://github.com/pingcap/community/blob/master/contributors/command-help.md) 供大家参考。
格式要求:PR 的第一行需要指定任务 issue 的编号,再写每个 repo 要求的格式,示例:
```
PCP #12345
<!-- The following description -->
```
#### 第五步:代码评估及积分授予
评估规则:PR Reviewer 会对 PR 进行代码格式、代码功能和性能的 Review,获得 2 个以上 Reviewer 认可(即在 PR 中评论 “LGTM”)的 PR 将会被 merge 到对应 repo 的主干。
如果你的 PR 被 Merge 到主干,那么就意味着该题目被你挑战成功,你将获得该题目对应的积分;其他参赛选手将失去对该题目的挑战资格,已经提交的 PR 也会被 Close。
否则,你需要继续和 PR 的 Reviewer 探讨实现方案和细节,合理的接受或者拒绝 Reviewer 对 PR 的评审建议。
#### 第六步:积分兑换
积分获得情况将会在 TiDB 性能挑战赛官方网站呈现。所获积分可兑换礼品或奖金,礼品包括但不限于:TiDB 限量版帽衫、The North Face 定制电脑双肩包等。
兑换时间:**每个赛季结束后至下一赛季结束前**可进行积分兑换,下一个赛季结束时,前一赛季的可兑换积分将直接清零,不可再进行社区礼品兑换。
兑换方式:本赛季结束后填写礼品兑换表(届时将开放填写权限)
### 学习资料
这里有 [TiDB 精选技术讲解文章](https://github.com/pingcap/presentations/blob/master/hackathon-2019/reference-document-of-hackathon-2019.md),帮助大家轻松掌握 TiDB 各核心组件的原理及功能;还有 [PingCAP University](https://university.pingcap.com/?diliater=6YvzZjyL97Z5c4G09GRzLQ==) 在线视频课程,帮助大家快速熟悉 TiDB 原理、架构及最佳实践,点击以上链接即可轻松获取。
这将是一次集体智慧的碰撞,我们期待着与社区小伙伴一起创造无限可能!
| 48.330189 | 304 | 0.787624 | yue_Hant | 0.688473 |
144f17c81e0023c423a7031afe2332fcf441576b | 747 | md | Markdown | README.md | SMPTE/st2067-21-2016-am1 | 198f5c28aea575a467754631c50c5d40340773cc | [
"RSA-MD"
] | 2 | 2019-08-01T22:51:48.000Z | 2021-03-29T20:37:45.000Z | README.md | SMPTE/st2067-21-2016-am1 | 198f5c28aea575a467754631c50c5d40340773cc | [
"RSA-MD"
] | 1 | 2021-08-09T19:26:55.000Z | 2021-12-07T22:12:05.000Z | README.md | SMPTE/st2067-21-2016-am1 | 198f5c28aea575a467754631c50c5d40340773cc | [
"RSA-MD"
] | null | null | null | # SMPTE ST 2067-21:2020 Am1:2020
_This repository is *public*._
Please consult [CONTRIBUTING.md](./CONTRIBUTING.md), [CONFIDENTIALITY.md](./CONFIDENTIALITY.md), [LICENSE.md](./LICENSE.md) and
[PATENTS.md](./PATENTS.md) for important notices.
A Committee Draft of [ST 2067-21:2020 Am1:2020](https://doi.org/10.5594/SMPTE.ST2067-21.2020Am1.2020) was previously made available
here for a public review period, which ended on 2020-07-23. The document is now
[published](https://doi.org/10.5594/SMPTE.ST2067-21.2020Am1.2020) and may substantially diverge from the Committee Draft.
## Feedback
Please provide feedback at [GitHub issues](https://github.com/SMPTE/st2067-21/issues) (preferred) or
[35pm-chair@smpte.org](mailto:35pm-chair@smpte.org).
| 46.6875 | 131 | 0.763052 | eng_Latn | 0.663752 |
144f7d7b5b3ee253d246a4925f033d22866cc910 | 1,498 | md | Markdown | catalog/captain/en-US_play-ball-tv-serie.md | htron-dev/baka-db | cb6e907a5c53113275da271631698cd3b35c9589 | [
"MIT"
] | 3 | 2021-08-12T20:02:29.000Z | 2021-09-05T05:03:32.000Z | catalog/captain/en-US_play-ball-tv-serie.md | zzhenryquezz/baka-db | da8f54a87191a53a7fca54b0775b3c00f99d2531 | [
"MIT"
] | 8 | 2021-07-20T00:44:48.000Z | 2021-09-22T18:44:04.000Z | catalog/captain/en-US_play-ball-tv-serie.md | zzhenryquezz/baka-db | da8f54a87191a53a7fca54b0775b3c00f99d2531 | [
"MIT"
] | 2 | 2021-07-19T01:38:25.000Z | 2021-07-29T08:10:29.000Z | # Play Ball

- **type**: tv-serie
- **episodes**: 13
- **original-name**: プレイボール
- **start-date**: 2005-07-05
- **end-date**: 2005-07-05
- **opening-song**: #2: "Kimi wa Nani ka ga Dekiru~Play Ball 2006~" by Tokyo 60Watts
- **ending-song**: #2: "Summertime Blues" by Tokyo 60Watts
- **rating**: G - All Ages
## Tags
- action
- sports
- shounen
## Sinopse
After fracturing a finger in a junior high school game, Takao Taniguchi is unable to play baseball. After entering Sumitani High School, he is constantly watching the baseball club even though he is unable to play. He catches the eye of the captain of the soccer club, and while he still has lingering hopes of joining the baseball club, he decides to join the soccer club.
While he's a complete beginner, Taniguchi developed a strong spirit of hard work while in junior high school and his new teammates begin to see his potential. While he focuses all of his energy on soccer, he is unable to forget his youthful zeal for baseball and he begins umpiring baseball games in secret.
(Source: Wikipedia)
## Links
- [My Anime list](https://myanimelist.net/anime/3768/Play_Ball)
- [Official Site](http://www.anime-playball.com/)
- [AnimeDB](http://anidb.info/perl-bin/animedb.pl?show=anime&aid=3293)
- [AnimeNewsNetwork](http://www.animenewsnetwork.com/encyclopedia/anime.php?id=5558)
- [Wikipedia](http://en.wikipedia.org/wiki/Play_Ball)
| 42.8 | 373 | 0.723632 | eng_Latn | 0.954625 |
144f8928f57d2fa4f3f7d8e82b503e15c407929f | 563 | md | Markdown | README.md | asokolsky/RESTing-with-Flask | 3443caff19dac9b42bad5d44ff6140a40258a3e8 | [
"MIT"
] | null | null | null | README.md | asokolsky/RESTing-with-Flask | 3443caff19dac9b42bad5d44ff6140a40258a3e8 | [
"MIT"
] | 2 | 2019-09-27T04:11:07.000Z | 2019-09-28T18:58:47.000Z | README.md | asokolsky/RESTing-with-Flask | 3443caff19dac9b42bad5d44ff6140a40258a3e8 | [
"MIT"
] | null | null | null | # RESTing with Flask
Simple and not so simple REST services done in Python and Flask.
These are the sources. See also
[RESTing with Flask Wiki](https://github.com/asokolsky/RESTing-with-Flask/wiki)
This is a work in progress.
Developed and tested on Linux.
But should run pretty much anywhere, although if you do not have bash,
you will have to jump through more hoops.
## How to use it
Open folder 00. Read the details on the prerequisites and how to start development.
Then go to the next folder.
Keep doing it until you learn all there is to learn.
| 25.590909 | 84 | 0.765542 | eng_Latn | 0.999474 |
145065b28ba7951961ed8025909cacc8b3b8747d | 524 | md | Markdown | README.md | Polarts/UEMarketplaceAlertsBot | 5f32690e64cf8ac582427f99e8669f1e716f818d | [
"MIT"
] | null | null | null | README.md | Polarts/UEMarketplaceAlertsBot | 5f32690e64cf8ac582427f99e8669f1e716f818d | [
"MIT"
] | null | null | null | README.md | Polarts/UEMarketplaceAlertsBot | 5f32690e64cf8ac582427f99e8669f1e716f818d | [
"MIT"
] | null | null | null | # UEMarketplaceAlertsBot
A Facebook bot that scrapes Unreal Marketplace for weekly updates on new free assets.
Based on [jhinter](https://github.com/jhinter)'s [article on medium.com](https://medium.com/p/54e88b3ebd42)
The app consists of 2 main components that share a database.
### 1. Django: the admin panel
Defined and manages the database, monitors and controls the bot process.
### 2. The bot: a scheduled, repeating task
Responsible for scraping, persisting and posting alerts of new assets on UE Marketplace.
| 32.75 | 107 | 0.776718 | eng_Latn | 0.966413 |
1451b7797cabf2132bfd597285b4af5f3bf4cafd | 134,205 | md | Markdown | _posts/bible-kjv/44 - Acts - KJV.md | donaldboulton/bibwoe | 0b48eb07b08a81f6661390de9251e54c1e9a59c9 | [
"BSD-3-Clause",
"MIT"
] | 34 | 2016-11-21T17:24:32.000Z | 2022-01-26T06:33:36.000Z | 44 - Acts - KJV.md | gek169/kjv-markdown | 8514e0a507cb2aa1395ad105c0684db6be3213f9 | [
"Naumen",
"Condor-1.1",
"MS-PL"
] | 3 | 2021-05-19T07:36:57.000Z | 2022-02-26T03:45:16.000Z | 44 - Acts - KJV.md | gek169/kjv-markdown | 8514e0a507cb2aa1395ad105c0684db6be3213f9 | [
"Naumen",
"Condor-1.1",
"MS-PL"
] | 25 | 2018-07-22T13:51:03.000Z | 2022-03-25T20:43:22.000Z |
# Acts
## Acts Chapter 1
1 The former treatise have I made, O Theophilus, of all that Jesus began both to do and teach,
2 Until the day in which he was taken up, after that he through the Holy Ghost had given commandments unto the apostles whom he had chosen:
3 To whom also he shewed himself alive after his passion by many infallible proofs, being seen of them forty days, and speaking of the things pertaining to the kingdom of God:
4 And, being assembled together with them, commanded them that they should not depart from Jerusalem, but wait for the promise of the Father, which, saith he, ye have heard of me.
5 For John truly baptized with water; but ye shall be baptized with the Holy Ghost not many days hence.
6 When they therefore were come together, they asked of him, saying, Lord, wilt thou at this time restore again the kingdom to Israel?
7 And he said unto them, It is not for you to know the times or the seasons, which the Father hath put in his own power.
8 But ye shall receive power, after that the Holy Ghost is come upon you: and ye shall be witnesses unto me both in Jerusalem, and in all Judaea, and in Samaria, and unto the uttermost part of the earth.
9 And when he had spoken these things, while they beheld, he was taken up; and a cloud received him out of their sight.
10 And while they looked stedfastly toward heaven as he went up, behold, two men stood by them in white apparel;
11 Which also said, Ye men of Galilee, why stand ye gazing up into heaven? this same Jesus, which is taken up from you into heaven, shall so come in like manner as ye have seen him go into heaven.
12 Then returned they unto Jerusalem from the mount called Olivet, which is from Jerusalem a sabbath day's journey.
13 And when they were come in, they went up into an upper room, where abode both Peter, and James, and John, and Andrew, Philip, and Thomas, Bartholomew, and Matthew, James the son of Alphaeus, and Simon Zelotes, and Judas the brother of James.
14 These all continued with one accord in prayer and supplication, with the women, and Mary the mother of Jesus, and with his brethren.
15 And in those days Peter stood up in the midst of the disciples, and said, (the number of names together were about an hundred and twenty,)
16 Men and brethren, this scripture must needs have been fulfilled, which the Holy Ghost by the mouth of David spake before concerning Judas, which was guide to them that took Jesus.
17 For he was numbered with us, and had obtained part of this ministry.
18 Now this man purchased a field with the reward of iniquity; and falling headlong, he burst asunder in the midst, and all his bowels gushed out.
19 And it was known unto all the dwellers at Jerusalem; insomuch as that field is called in their proper tongue, Aceldama, that is to say, The field of blood.
20 For it is written in the book of Psalms, Let his habitation be desolate, and let no man dwell therein: and his bishoprick let another take.
21 Wherefore of these men which have companied with us all the time that the Lord Jesus went in and out among us,
22 Beginning from the baptism of John, unto that same day that he was taken up from us, must one be ordained to be a witness with us of his resurrection.
23 And they appointed two, Joseph called Barsabas, who was surnamed Justus, and Matthias.
24 And they prayed, and said, Thou, Lord, which knowest the hearts of all men, shew whether of these two thou hast chosen,
25 That he may take part of this ministry and apostleship, from which Judas by transgression fell, that he might go to his own place.
26 And they gave forth their lots; and the lot fell upon Matthias; and he was numbered with the eleven apostles.
## Acts Chapter 2
1 And when the day of Pentecost was fully come, they were all with one accord in one place.
2 And suddenly there came a sound from heaven as of a rushing mighty wind, and it filled all the house where they were sitting.
3 And there appeared unto them cloven tongues like as of fire, and it sat upon each of them.
4 And they were all filled with the Holy Ghost, and began to speak with other tongues, as the Spirit gave them utterance.
5 And there were dwelling at Jerusalem Jews, devout men, out of every nation under heaven.
6 Now when this was noised abroad, the multitude came together, and were confounded, because that every man heard them speak in his own language.
7 And they were all amazed and marvelled, saying one to another, Behold, are not all these which speak Galilaeans?
8 And how hear we every man in our own tongue, wherein we were born?
9 Parthians, and Medes, and Elamites, and the dwellers in Mesopotamia, and in Judaea, and Cappadocia, in Pontus, and Asia,
10 Phrygia, and Pamphylia, in Egypt, and in the parts of Libya about Cyrene, and strangers of Rome, Jews and proselytes,
11 Cretes and Arabians, we do hear them speak in our tongues the wonderful works of God.
12 And they were all amazed, and were in doubt, saying one to another, What meaneth this?
13 Others mocking said, These men are full of new wine.
14 But Peter, standing up with the eleven, lifted up his voice, and said unto them, Ye men of Judaea, and all ye that dwell at Jerusalem, be this known unto you, and hearken to my words:
15 For these are not drunken, as ye suppose, seeing it is but the third hour of the day.
16 But this is that which was spoken by the prophet Joel;
17 And it shall come to pass in the last days, saith God, I will pour out of my Spirit upon all flesh: and your sons and your daughters shall prophesy, and your young men shall see visions, and your old men shall dream dreams:
18 And on my servants and on my handmaidens I will pour out in those days of my Spirit; and they shall prophesy:
19 And I will shew wonders in heaven above, and signs in the earth beneath; blood, and fire, and vapour of smoke:
20 The sun shall be turned into darkness, and the moon into blood, before the great and notable day of the Lord come:
21 And it shall come to pass, that whosoever shall call on the name of the Lord shall be saved.
22 Ye men of Israel, hear these words; Jesus of Nazareth, a man approved of God among you by miracles and wonders and signs, which God did by him in the midst of you, as ye yourselves also know:
23 Him, being delivered by the determinate counsel and foreknowledge of God, ye have taken, and by wicked hands have crucified and slain:
24 Whom God hath raised up, having loosed the pains of death: because it was not possible that he should be holden of it.
25 For David speaketh concerning him, I foresaw the Lord always before my face, for he is on my right hand, that I should not be moved:
26 Therefore did my heart rejoice, and my tongue was glad; moreover also my flesh shall rest in hope:
27 Because thou wilt not leave my soul in hell, neither wilt thou suffer thine Holy One to see corruption.
28 Thou hast made known to me the ways of life; thou shalt make me full of joy with thy countenance.
29 Men and brethren, let me freely speak unto you of the patriarch David, that he is both dead and buried, and his sepulchre is with us unto this day.
30 Therefore being a prophet, and knowing that God had sworn with an oath to him, that of the fruit of his loins, according to the flesh, he would raise up Christ to sit on his throne;
31 He seeing this before spake of the resurrection of Christ, that his soul was not left in hell, neither his flesh did see corruption.
32 This Jesus hath God raised up, whereof we all are witnesses.
33 Therefore being by the right hand of God exalted, and having received of the Father the promise of the Holy Ghost, he hath shed forth this, which ye now see and hear.
34 For David is not ascended into the heavens: but he saith himself, The Lord said unto my Lord, Sit thou on my right hand,
35 Until I make thy foes thy footstool.
36 Therefore let all the house of Israel know assuredly, that God hath made the same Jesus, whom ye have crucified, both Lord and Christ.
37 Now when they heard this, they were pricked in their heart, and said unto Peter and to the rest of the apostles, Men and brethren, what shall we do?
38 Then Peter said unto them, Repent, and be baptized every one of you in the name of Jesus Christ for the remission of sins, and ye shall receive the gift of the Holy Ghost.
39 For the promise is unto you, and to your children, and to all that are afar off, even as many as the Lord our God shall call.
40 And with many other words did he testify and exhort, saying, Save yourselves from this untoward generation.
41 Then they that gladly received his word were baptized: and the same day there were added unto them about three thousand souls.
42 And they continued stedfastly in the apostles' doctrine and fellowship, and in breaking of bread, and in prayers.
43 And fear came upon every soul: and many wonders and signs were done by the apostles.
44 And all that believed were together, and had all things common;
45 And sold their possessions and goods, and parted them to all men, as every man had need.
46 And they, continuing daily with one accord in the temple, and breaking bread from house to house, did eat their meat with gladness and singleness of heart,
47 Praising God, and having favour with all the people. And the Lord added to the church daily such as should be saved.
## Acts Chapter 3
1 Now Peter and John went up together into the temple at the hour of prayer, being the ninth hour.
2 And a certain man lame from his mother's womb was carried, whom they laid daily at the gate of the temple which is called Beautiful, to ask alms of them that entered into the temple;
3 Who seeing Peter and John about to go into the temple asked an alms.
4 And Peter, fastening his eyes upon him with John, said, Look on us.
5 And he gave heed unto them, expecting to receive something of them.
6 Then Peter said, Silver and gold have I none; but such as I have give I thee: In the name of Jesus Christ of Nazareth rise up and walk.
7 And he took him by the right hand, and lifted him up: and immediately his feet and ankle bones received strength.
8 And he leaping up stood, and walked, and entered with them into the temple, walking, and leaping, and praising God.
9 And all the people saw him walking and praising God:
10 And they knew that it was he which sat for alms at the Beautiful gate of the temple: and they were filled with wonder and amazement at that which had happened unto him.
11 And as the lame man which was healed held Peter and John, all the people ran together unto them in the porch that is called Solomon's, greatly wondering.
12 And when Peter saw it, he answered unto the people, Ye men of Israel, why marvel ye at this? or why look ye so earnestly on us, as though by our own power or holiness we had made this man to walk?
13 The God of Abraham, and of Isaac, and of Jacob, the God of our fathers, hath glorified his Son Jesus; whom ye delivered up, and denied him in the presence of Pilate, when he was determined to let him go.
14 But ye denied the Holy One and the Just, and desired a murderer to be granted unto you;
15 And killed the Prince of life, whom God hath raised from the dead; whereof we are witnesses.
16 And his name through faith in his name hath made this man strong, whom ye see and know: yea, the faith which is by him hath given him this perfect soundness in the presence of you all.
17 And now, brethren, I wot that through ignorance ye did it, as did also your rulers.
18 But those things, which God before had shewed by the mouth of all his prophets, that Christ should suffer, he hath so fulfilled.
19 Repent ye therefore, and be converted, that your sins may be blotted out, when the times of refreshing shall come from the presence of the Lord.
20 And he shall send Jesus Christ, which before was preached unto you:
21 Whom the heaven must receive until the times of restitution of all things, which God hath spoken by the mouth of all his holy prophets since the world began.
22 For Moses truly said unto the fathers, A prophet shall the Lord your God raise up unto you of your brethren, like unto me; him shall ye hear in all things whatsoever he shall say unto you.
23 And it shall come to pass, that every soul, which will not hear that prophet, shall be destroyed from among the people.
24 Yea, and all the prophets from Samuel and those that follow after, as many as have spoken, have likewise foretold of these days.
25 Ye are the children of the prophets, and of the covenant which God made with our fathers, saying unto Abraham, And in thy seed shall all the kindreds of the earth be blessed.
26 Unto you first God, having raised up his Son Jesus, sent him to bless you, in turning away every one of you from his iniquities.
## Acts Chapter 4
1 And as they spake unto the people, the priests, and the captain of the temple, and the Sadducees, came upon them,
2 Being grieved that they taught the people, and preached through Jesus the resurrection from the dead.
3 And they laid hands on them, and put them in hold unto the next day: for it was now eventide.
4 Howbeit many of them which heard the word believed; and the number of the men was about five thousand.
5 And it came to pass on the morrow, that their rulers, and elders, and scribes,
6 And Annas the high priest, and Caiaphas, and John, and Alexander, and as many as were of the kindred of the high priest, were gathered together at Jerusalem.
7 And when they had set them in the midst, they asked, By what power, or by what name, have ye done this?
8 Then Peter, filled with the Holy Ghost, said unto them, Ye rulers of the people, and elders of Israel,
9 If we this day be examined of the good deed done to the impotent man, by what means he is made whole;
10 Be it known unto you all, and to all the people of Israel, that by the name of Jesus Christ of Nazareth, whom ye crucified, whom God raised from the dead, even by him doth this man stand here before you whole.
11 This is the stone which was set at nought of you builders, which is become the head of the corner.
12 Neither is there salvation in any other: for there is none other name under heaven given among men, whereby we must be saved.
13 Now when they saw the boldness of Peter and John, and perceived that they were unlearned and ignorant men, they marvelled; and they took knowledge of them, that they had been with Jesus.
14 And beholding the man which was healed standing with them, they could say nothing against it.
15 But when they had commanded them to go aside out of the council, they conferred among themselves,
16 Saying, What shall we do to these men? for that indeed a notable miracle hath been done by them is manifest to all them that dwell in Jerusalem; and we cannot deny it.
17 But that it spread no further among the people, let us straitly threaten them, that they speak henceforth to no man in this name.
18 And they called them, and commanded them not to speak at all nor teach in the name of Jesus.
19 But Peter and John answered and said unto them, Whether it be right in the sight of God to hearken unto you more than unto God, judge ye.
20 For we cannot but speak the things which we have seen and heard.
21 So when they had further threatened them, they let them go, finding nothing how they might punish them, because of the people: for all men glorified God for that which was done.
22 For the man was above forty years old, on whom this miracle of healing was shewed.
23 And being let go, they went to their own company, and reported all that the chief priests and elders had said unto them.
24 And when they heard that, they lifted up their voice to God with one accord, and said, Lord, thou art God, which hast made heaven, and earth, and the sea, and all that in them is:
25 Who by the mouth of thy servant David hast said, Why did the heathen rage, and the people imagine vain things?
26 The kings of the earth stood up, and the rulers were gathered together against the Lord, and against his Christ.
27 For of a truth against thy holy child Jesus, whom thou hast anointed, both Herod, and Pontius Pilate, with the Gentiles, and the people of Israel, were gathered together,
28 For to do whatsoever thy hand and thy counsel determined before to be done.
29 And now, Lord, behold their threatenings: and grant unto thy servants, that with all boldness they may speak thy word,
30 By stretching forth thine hand to heal; and that signs and wonders may be done by the name of thy holy child Jesus.
31 And when they had prayed, the place was shaken where they were assembled together; and they were all filled with the Holy Ghost, and they spake the word of God with boldness.
32 And the multitude of them that believed were of one heart and of one soul: neither said any of them that ought of the things which he possessed was his own; but they had all things common.
33 And with great power gave the apostles witness of the resurrection of the Lord Jesus: and great grace was upon them all.
34 Neither was there any among them that lacked: for as many as were possessors of lands or houses sold them, and brought the prices of the things that were sold,
35 And laid them down at the apostles' feet: and distribution was made unto every man according as he had need.
36 And Joses, who by the apostles was surnamed Barnabas, (which is, being interpreted, The son of consolation,) a Levite, and of the country of Cyprus,
37 Having land, sold it, and brought the money, and laid it at the apostles' feet.
## Acts Chapter 5
1 But a certain man named Ananias, with Sapphira his wife, sold a possession,
2 And kept back part of the price, his wife also being privy to it, and brought a certain part, and laid it at the apostles' feet.
3 But Peter said, Ananias, why hath Satan filled thine heart to lie to the Holy Ghost, and to keep back part of the price of the land?
4 Whiles it remained, was it not thine own? and after it was sold, was it not in thine own power? why hast thou conceived this thing in thine heart? thou hast not lied unto men, but unto God.
5 And Ananias hearing these words fell down, and gave up the ghost: and great fear came on all them that heard these things.
6 And the young men arose, wound him up, and carried him out, and buried him.
7 And it was about the space of three hours after, when his wife, not knowing what was done, came in.
8 And Peter answered unto her, Tell me whether ye sold the land for so much? And she said, Yea, for so much.
9 Then Peter said unto her, How is it that ye have agreed together to tempt the Spirit of the Lord? behold, the feet of them which have buried thy husband are at the door, and shall carry thee out.
10 Then fell she down straightway at his feet, and yielded up the ghost: and the young men came in, and found her dead, and, carrying her forth, buried her by her husband.
11 And great fear came upon all the church, and upon as many as heard these things.
12 And by the hands of the apostles were many signs and wonders wrought among the people; (and they were all with one accord in Solomon's porch.
13 And of the rest durst no man join himself to them: but the people magnified them.
14 And believers were the more added to the Lord, multitudes both of men and women.)
15 Insomuch that they brought forth the sick into the streets, and laid them on beds and couches, that at the least the shadow of Peter passing by might overshadow some of them.
16 There came also a multitude out of the cities round about unto Jerusalem, bringing sick folks, and them which were vexed with unclean spirits: and they were healed every one.
17 Then the high priest rose up, and all they that were with him, (which is the sect of the Sadducees,) and were filled with indignation,
18 And laid their hands on the apostles, and put them in the common prison.
19 But the angel of the Lord by night opened the prison doors, and brought them forth, and said,
20 Go, stand and speak in the temple to the people all the words of this life.
21 And when they heard that, they entered into the temple early in the morning, and taught. But the high priest came, and they that were with him, and called the council together, and all the senate of the children of Israel, and sent to the prison to have them brought.
22 But when the officers came, and found them not in the prison, they returned and told,
23 Saying, The prison truly found we shut with all safety, and the keepers standing without before the doors: but when we had opened, we found no man within.
24 Now when the high priest and the captain of the temple and the chief priests heard these things, they doubted of them whereunto this would grow.
25 Then came one and told them, saying, Behold, the men whom ye put in prison are standing in the temple, and teaching the people.
26 Then went the captain with the officers, and brought them without violence: for they feared the people, lest they should have been stoned.
27 And when they had brought them, they set them before the council: and the high priest asked them,
28 Saying, Did not we straitly command you that ye should not teach in this name? and, behold, ye have filled Jerusalem with your doctrine, and intend to bring this man's blood upon us.
29 Then Peter and the other apostles answered and said, We ought to obey God rather than men.
30 The God of our fathers raised up Jesus, whom ye slew and hanged on a tree.
31 Him hath God exalted with his right hand to be a Prince and a Saviour, for to give repentance to Israel, and forgiveness of sins.
32 And we are his witnesses of these things; and so is also the Holy Ghost, whom God hath given to them that obey him.
33 When they heard that, they were cut to the heart, and took counsel to slay them.
34 Then stood there up one in the council, a Pharisee, named Gamaliel, a doctor of the law, had in reputation among all the people, and commanded to put the apostles forth a little space;
35 And said unto them, Ye men of Israel, take heed to yourselves what ye intend to do as touching these men.
36 For before these days rose up Theudas, boasting himself to be somebody; to whom a number of men, about four hundred, joined themselves: who was slain; and all, as many as obeyed him, were scattered, and brought to nought.
37 After this man rose up Judas of Galilee in the days of the taxing, and drew away much people after him: he also perished; and all, even as many as obeyed him, were dispersed.
38 And now I say unto you, Refrain from these men, and let them alone: for if this counsel or this work be of men, it will come to nought:
39 But if it be of God, ye cannot overthrow it; lest haply ye be found even to fight against God.
40 And to him they agreed: and when they had called the apostles, and beaten them, they commanded that they should not speak in the name of Jesus, and let them go.
41 And they departed from the presence of the council, rejoicing that they were counted worthy to suffer shame for his name.
42 And daily in the temple, and in every house, they ceased not to teach and preach Jesus Christ.
## Acts Chapter 6
1 And in those days, when the number of the disciples was multiplied, there arose a murmuring of the Grecians against the Hebrews, because their widows were neglected in the daily ministration.
2 Then the twelve called the multitude of the disciples unto them, and said, It is not reason that we should leave the word of God, and serve tables.
3 Wherefore, brethren, look ye out among you seven men of honest report, full of the Holy Ghost and wisdom, whom we may appoint over this business.
4 But we will give ourselves continually to prayer, and to the ministry of the word.
5 And the saying pleased the whole multitude: and they chose Stephen, a man full of faith and of the Holy Ghost, and Philip, and Prochorus, and Nicanor, and Timon, and Parmenas, and Nicolas a proselyte of Antioch:
6 Whom they set before the apostles: and when they had prayed, they laid their hands on them.
7 And the word of God increased; and the number of the disciples multiplied in Jerusalem greatly; and a great company of the priests were obedient to the faith.
8 And Stephen, full of faith and power, did great wonders and miracles among the people.
9 Then there arose certain of the synagogue, which is called the synagogue of the Libertines, and Cyrenians, and Alexandrians, and of them of Cilicia and of Asia, disputing with Stephen.
10 And they were not able to resist the wisdom and the spirit by which he spake.
11 Then they suborned men, which said, We have heard him speak blasphemous words against Moses, and against God.
12 And they stirred up the people, and the elders, and the scribes, and came upon him, and caught him, and brought him to the council,
13 And set up false witnesses, which said, This man ceaseth not to speak blasphemous words against this holy place, and the law:
14 For we have heard him say, that this Jesus of Nazareth shall destroy this place, and shall change the customs which Moses delivered us.
15 And all that sat in the council, looking stedfastly on him, saw his face as it had been the face of an angel.
## Acts Chapter 7
1 Then said the high priest, Are these things so?
2 And he said, Men, brethren, and fathers, hearken; The God of glory appeared unto our father Abraham, when he was in Mesopotamia, before he dwelt in Charran,
3 And said unto him, Get thee out of thy country, and from thy kindred, and come into the land which I shall shew thee.
4 Then came he out of the land of the Chaldaeans, and dwelt in Charran: and from thence, when his father was dead, he removed him into this land, wherein ye now dwell.
5 And he gave him none inheritance in it, no, not so much as to set his foot on: yet he promised that he would give it to him for a possession, and to his seed after him, when as yet he had no child.
6 And God spake on this wise, That his seed should sojourn in a strange land; and that they should bring them into bondage, and entreat them evil four hundred years.
7 And the nation to whom they shall be in bondage will I judge, said God: and after that shall they come forth, and serve me in this place.
8 And he gave him the covenant of circumcision: and so Abraham begat Isaac, and circumcised him the eighth day; and Isaac begat Jacob; and Jacob begat the twelve patriarchs.
9 And the patriarchs, moved with envy, sold Joseph into Egypt: but God was with him,
10 And delivered him out of all his afflictions, and gave him favour and wisdom in the sight of Pharaoh king of Egypt; and he made him governor over Egypt and all his house.
11 Now there came a dearth over all the land of Egypt and Chanaan, and great affliction: and our fathers found no sustenance.
12 But when Jacob heard that there was corn in Egypt, he sent out our fathers first.
13 And at the second time Joseph was made known to his brethren; and Joseph's kindred was made known unto Pharaoh.
14 Then sent Joseph, and called his father Jacob to him, and all his kindred, threescore and fifteen souls.
15 So Jacob went down into Egypt, and died, he, and our fathers,
16 And were carried over into Sychem, and laid in the sepulchre that Abraham bought for a sum of money of the sons of Emmor the father of Sychem.
17 But when the time of the promise drew nigh, which God had sworn to Abraham, the people grew and multiplied in Egypt,
18 Till another king arose, which knew not Joseph.
19 The same dealt subtilly with our kindred, and evil entreated our fathers, so that they cast out their young children, to the end they might not live.
20 In which time Moses was born, and was exceeding fair, and nourished up in his father's house three months:
21 And when he was cast out, Pharaoh's daughter took him up, and nourished him for her own son.
22 And Moses was learned in all the wisdom of the Egyptians, and was mighty in words and in deeds.
23 And when he was full forty years old, it came into his heart to visit his brethren the children of Israel.
24 And seeing one of them suffer wrong, he defended him, and avenged him that was oppressed, and smote the Egyptian:
25 For he supposed his brethren would have understood how that God by his hand would deliver them: but they understood not.
26 And the next day he shewed himself unto them as they strove, and would have set them at one again, saying, Sirs, ye are brethren; why do ye wrong one to another?
27 But he that did his neighbour wrong thrust him away, saying, Who made thee a ruler and a judge over us?
28 Wilt thou kill me, as thou diddest the Egyptian yesterday?
29 Then fled Moses at this saying, and was a stranger in the land of Madian, where he begat two sons.
30 And when forty years were expired, there appeared to him in the wilderness of mount Sina an angel of the Lord in a flame of fire in a bush.
31 When Moses saw it, he wondered at the sight: and as he drew near to behold it, the voice of the Lord came unto him,
32 Saying, I am the God of thy fathers, the God of Abraham, and the God of Isaac, and the God of Jacob. Then Moses trembled, and durst not behold.
33 Then said the Lord to him, Put off thy shoes from thy feet: for the place where thou standest is holy ground.
34 I have seen, I have seen the affliction of my people which is in Egypt, and I have heard their groaning, and am come down to deliver them. And now come, I will send thee into Egypt.
35 This Moses whom they refused, saying, Who made thee a ruler and a judge? the same did God send to be a ruler and a deliverer by the hand of the angel which appeared to him in the bush.
36 He brought them out, after that he had shewed wonders and signs in the land of Egypt, and in the Red sea, and in the wilderness forty years.
37 This is that Moses, which said unto the children of Israel, A prophet shall the Lord your God raise up unto you of your brethren, like unto me; him shall ye hear.
38 This is he, that was in the church in the wilderness with the angel which spake to him in the mount Sina, and with our fathers: who received the lively oracles to give unto us:
39 To whom our fathers would not obey, but thrust him from them, and in their hearts turned back again into Egypt,
40 Saying unto Aaron, Make us gods to go before us: for as for this Moses, which brought us out of the land of Egypt, we wot not what is become of him.
41 And they made a calf in those days, and offered sacrifice unto the idol, and rejoiced in the works of their own hands.
42 Then God turned, and gave them up to worship the host of heaven; as it is written in the book of the prophets, O ye house of Israel, have ye offered to me slain beasts and sacrifices by the space of forty years in the wilderness?
43 Yea, ye took up the tabernacle of Moloch, and the star of your god Remphan, figures which ye made to worship them: and I will carry you away beyond Babylon.
44 Our fathers had the tabernacle of witness in the wilderness, as he had appointed, speaking unto Moses, that he should make it according to the fashion that he had seen.
45 Which also our fathers that came after brought in with Jesus into the possession of the Gentiles, whom God drave out before the face of our fathers, unto the days of David;
46 Who found favour before God, and desired to find a tabernacle for the God of Jacob.
47 But Solomon built him an house.
48 Howbeit the most High dwelleth not in temples made with hands; as saith the prophet,
49 Heaven is my throne, and earth is my footstool: what house will ye build me? saith the Lord: or what is the place of my rest?
50 Hath not my hand made all these things?
51 Ye stiffnecked and uncircumcised in heart and ears, ye do always resist the Holy Ghost: as your fathers did, so do ye.
52 Which of the prophets have not your fathers persecuted? and they have slain them which shewed before of the coming of the Just One; of whom ye have been now the betrayers and murderers:
53 Who have received the law by the disposition of angels, and have not kept it.
54 When they heard these things, they were cut to the heart, and they gnashed on him with their teeth.
55 But he, being full of the Holy Ghost, looked up stedfastly into heaven, and saw the glory of God, and Jesus standing on the right hand of God,
56 And said, Behold, I see the heavens opened, and the Son of man standing on the right hand of God.
57 Then they cried out with a loud voice, and stopped their ears, and ran upon him with one accord,
58 And cast him out of the city, and stoned him: and the witnesses laid down their clothes at a young man's feet, whose name was Saul.
59 And they stoned Stephen, calling upon God, and saying, Lord Jesus, receive my spirit.
60 And he kneeled down, and cried with a loud voice, Lord, lay not this sin to their charge. And when he had said this, he fell asleep.
## Acts Chapter 8
1 And Saul was consenting unto his death. And at that time there was a great persecution against the church which was at Jerusalem; and they were all scattered abroad throughout the regions of Judaea and Samaria, except the apostles.
2 And devout men carried Stephen to his burial, and made great lamentation over him.
3 As for Saul, he made havock of the church, entering into every house, and haling men and women committed them to prison.
4 Therefore they that were scattered abroad went every where preaching the word.
5 Then Philip went down to the city of Samaria, and preached Christ unto them.
6 And the people with one accord gave heed unto those things which Philip spake, hearing and seeing the miracles which he did.
7 For unclean spirits, crying with loud voice, came out of many that were possessed with them: and many taken with palsies, and that were lame, were healed.
8 And there was great joy in that city.
9 But there was a certain man, called Simon, which beforetime in the same city used sorcery, and bewitched the people of Samaria, giving out that himself was some great one:
10 To whom they all gave heed, from the least to the greatest, saying, This man is the great power of God.
11 And to him they had regard, because that of long time he had bewitched them with sorceries.
12 But when they believed Philip preaching the things concerning the kingdom of God, and the name of Jesus Christ, they were baptized, both men and women.
13 Then Simon himself believed also: and when he was baptized, he continued with Philip, and wondered, beholding the miracles and signs which were done.
14 Now when the apostles which were at Jerusalem heard that Samaria had received the word of God, they sent unto them Peter and John:
15 Who, when they were come down, prayed for them, that they might receive the Holy Ghost:
16 (For as yet he was fallen upon none of them: only they were baptized in the name of the Lord Jesus.)
17 Then laid they their hands on them, and they received the Holy Ghost.
18 And when Simon saw that through laying on of the apostles' hands the Holy Ghost was given, he offered them money,
19 Saying, Give me also this power, that on whomsoever I lay hands, he may receive the Holy Ghost.
20 But Peter said unto him, Thy money perish with thee, because thou hast thought that the gift of God may be purchased with money.
21 Thou hast neither part nor lot in this matter: for thy heart is not right in the sight of God.
22 Repent therefore of this thy wickedness, and pray God, if perhaps the thought of thine heart may be forgiven thee.
23 For I perceive that thou art in the gall of bitterness, and in the bond of iniquity.
24 Then answered Simon, and said, Pray ye to the Lord for me, that none of these things which ye have spoken come upon me.
25 And they, when they had testified and preached the word of the Lord, returned to Jerusalem, and preached the gospel in many villages of the Samaritans.
26 And the angel of the Lord spake unto Philip, saying, Arise, and go toward the south unto the way that goeth down from Jerusalem unto Gaza, which is desert.
27 And he arose and went: and, behold, a man of Ethiopia, an eunuch of great authority under Candace queen of the Ethiopians, who had the charge of all her treasure, and had come to Jerusalem for to worship,
28 Was returning, and sitting in his chariot read Esaias the prophet.
29 Then the Spirit said unto Philip, Go near, and join thyself to this chariot.
30 And Philip ran thither to him, and heard him read the prophet Esaias, and said, Understandest thou what thou readest?
31 And he said, How can I, except some man should guide me? And he desired Philip that he would come up and sit with him.
32 The place of the scripture which he read was this, He was led as a sheep to the slaughter; and like a lamb dumb before his shearer, so opened he not his mouth:
33 In his humiliation his judgment was taken away: and who shall declare his generation? for his life is taken from the earth.
34 And the eunuch answered Philip, and said, I pray thee, of whom speaketh the prophet this? of himself, or of some other man?
35 Then Philip opened his mouth, and began at the same scripture, and preached unto him Jesus.
36 And as they went on their way, they came unto a certain water: and the eunuch said, See, here is water; what doth hinder me to be baptized?
37 And Philip said, If thou believest with all thine heart, thou mayest. And he answered and said, I believe that Jesus Christ is the Son of God.
38 And he commanded the chariot to stand still: and they went down both into the water, both Philip and the eunuch; and he baptized him.
39 And when they were come up out of the water, the Spirit of the Lord caught away Philip, that the eunuch saw him no more: and he went on his way rejoicing.
40 But Philip was found at Azotus: and passing through he preached in all the cities, till he came to Caesarea.
## Acts Chapter 9
1 And Saul, yet breathing out threatenings and slaughter against the disciples of the Lord, went unto the high priest,
2 And desired of him letters to Damascus to the synagogues, that if he found any of this way, whether they were men or women, he might bring them bound unto Jerusalem.
3 And as he journeyed, he came near Damascus: and suddenly there shined round about him a light from heaven:
4 And he fell to the earth, and heard a voice saying unto him, Saul, Saul, why persecutest thou me?
5 And he said, Who art thou, Lord? And the Lord said, I am Jesus whom thou persecutest: it is hard for thee to kick against the pricks.
6 And he trembling and astonished said, Lord, what wilt thou have me to do? And the Lord said unto him, Arise, and go into the city, and it shall be told thee what thou must do.
7 And the men which journeyed with him stood speechless, hearing a voice, but seeing no man.
8 And Saul arose from the earth; and when his eyes were opened, he saw no man: but they led him by the hand, and brought him into Damascus.
9 And he was three days without sight, and neither did eat nor drink.
10 And there was a certain disciple at Damascus, named Ananias; and to him said the Lord in a vision, Ananias. And he said, Behold, I am here, Lord.
11 And the Lord said unto him, Arise, and go into the street which is called Straight, and enquire in the house of Judas for one called Saul, of Tarsus: for, behold, he prayeth,
12 And hath seen in a vision a man named Ananias coming in, and putting his hand on him, that he might receive his sight.
13 Then Ananias answered, Lord, I have heard by many of this man, how much evil he hath done to thy saints at Jerusalem:
14 And here he hath authority from the chief priests to bind all that call on thy name.
15 But the Lord said unto him, Go thy way: for he is a chosen vessel unto me, to bear my name before the Gentiles, and kings, and the children of Israel:
16 For I will shew him how great things he must suffer for my name's sake.
17 And Ananias went his way, and entered into the house; and putting his hands on him said, Brother Saul, the Lord, even Jesus, that appeared unto thee in the way as thou camest, hath sent me, that thou mightest receive thy sight, and be filled with the Holy Ghost.
18 And immediately there fell from his eyes as it had been scales: and he received sight forthwith, and arose, and was baptized.
19 And when he had received meat, he was strengthened. Then was Saul certain days with the disciples which were at Damascus.
20 And straightway he preached Christ in the synagogues, that he is the Son of God.
21 But all that heard him were amazed, and said; Is not this he that destroyed them which called on this name in Jerusalem, and came hither for that intent, that he might bring them bound unto the chief priests?
22 But Saul increased the more in strength, and confounded the Jews which dwelt at Damascus, proving that this is very Christ.
23 And after that many days were fulfilled, the Jews took counsel to kill him:
24 But their laying await was known of Saul. And they watched the gates day and night to kill him.
25 Then the disciples took him by night, and let him down by the wall in a basket.
26 And when Saul was come to Jerusalem, he assayed to join himself to the disciples: but they were all afraid of him, and believed not that he was a disciple.
27 But Barnabas took him, and brought him to the apostles, and declared unto them how he had seen the Lord in the way, and that he had spoken to him, and how he had preached boldly at Damascus in the name of Jesus.
28 And he was with them coming in and going out at Jerusalem.
29 And he spake boldly in the name of the Lord Jesus, and disputed against the Grecians: but they went about to slay him.
30 Which when the brethren knew, they brought him down to Caesarea, and sent him forth to Tarsus.
31 Then had the churches rest throughout all Judaea and Galilee and Samaria, and were edified; and walking in the fear of the Lord, and in the comfort of the Holy Ghost, were multiplied.
32 And it came to pass, as Peter passed throughout all quarters, he came down also to the saints which dwelt at Lydda.
33 And there he found a certain man named Aeneas, which had kept his bed eight years, and was sick of the palsy.
34 And Peter said unto him, Aeneas, Jesus Christ maketh thee whole: arise, and make thy bed. And he arose immediately.
35 And all that dwelt at Lydda and Saron saw him, and turned to the Lord.
36 Now there was at Joppa a certain disciple named Tabitha, which by interpretation is called Dorcas: this woman was full of good works and almsdeeds which she did.
37 And it came to pass in those days, that she was sick, and died: whom when they had washed, they laid her in an upper chamber.
38 And forasmuch as Lydda was nigh to Joppa, and the disciples had heard that Peter was there, they sent unto him two men, desiring him that he would not delay to come to them.
39 Then Peter arose and went with them. When he was come, they brought him into the upper chamber: and all the widows stood by him weeping, and shewing the coats and garments which Dorcas made, while she was with them.
40 But Peter put them all forth, and kneeled down, and prayed; and turning him to the body said, Tabitha, arise. And she opened her eyes: and when she saw Peter, she sat up.
41 And he gave her his hand, and lifted her up, and when he had called the saints and widows, presented her alive.
42 And it was known throughout all Joppa; and many believed in the Lord.
43 And it came to pass, that he tarried many days in Joppa with one Simon a tanner.
## Acts Chapter 10
1 There was a certain man in Caesarea called Cornelius, a centurion of the band called the Italian band,
2 A devout man, and one that feared God with all his house, which gave much alms to the people, and prayed to God alway.
3 He saw in a vision evidently about the ninth hour of the day an angel of God coming in to him, and saying unto him, Cornelius.
4 And when he looked on him, he was afraid, and said, What is it, Lord? And he said unto him, Thy prayers and thine alms are come up for a memorial before God.
5 And now send men to Joppa, and call for one Simon, whose surname is Peter:
6 He lodgeth with one Simon a tanner, whose house is by the sea side: he shall tell thee what thou oughtest to do.
7 And when the angel which spake unto Cornelius was departed, he called two of his household servants, and a devout soldier of them that waited on him continually;
8 And when he had declared all these things unto them, he sent them to Joppa.
9 On the morrow, as they went on their journey, and drew nigh unto the city, Peter went up upon the housetop to pray about the sixth hour:
10 And he became very hungry, and would have eaten: but while they made ready, he fell into a trance,
11 And saw heaven opened, and a certain vessel descending upon him, as it had been a great sheet knit at the four corners, and let down to the earth:
12 Wherein were all manner of fourfooted beasts of the earth, and wild beasts, and creeping things, and fowls of the air.
13 And there came a voice to him, Rise, Peter; kill, and eat.
14 But Peter said, Not so, Lord; for I have never eaten any thing that is common or unclean.
15 And the voice spake unto him again the second time, What God hath cleansed, that call not thou common.
16 This was done thrice: and the vessel was received up again into heaven.
17 Now while Peter doubted in himself what this vision which he had seen should mean, behold, the men which were sent from Cornelius had made enquiry for Simon's house, and stood before the gate,
18 And called, and asked whether Simon, which was surnamed Peter, were lodged there.
19 While Peter thought on the vision, the Spirit said unto him, Behold, three men seek thee.
20 Arise therefore, and get thee down, and go with them, doubting nothing: for I have sent them.
21 Then Peter went down to the men which were sent unto him from Cornelius; and said, Behold, I am he whom ye seek: what is the cause wherefore ye are come?
22 And they said, Cornelius the centurion, a just man, and one that feareth God, and of good report among all the nation of the Jews, was warned from God by an holy angel to send for thee into his house, and to hear words of thee.
23 Then called he them in, and lodged them. And on the morrow Peter went away with them, and certain brethren from Joppa accompanied him.
24 And the morrow after they entered into Caesarea. And Cornelius waited for them, and he had called together his kinsmen and near friends.
25 And as Peter was coming in, Cornelius met him, and fell down at his feet, and worshipped him.
26 But Peter took him up, saying, Stand up; I myself also am a man.
27 And as he talked with him, he went in, and found many that were come together.
28 And he said unto them, Ye know how that it is an unlawful thing for a man that is a Jew to keep company, or come unto one of another nation; but God hath shewed me that I should not call any man common or unclean.
29 Therefore came I unto you without gainsaying, as soon as I was sent for: I ask therefore for what intent ye have sent for me?
30 And Cornelius said, Four days ago I was fasting until this hour; and at the ninth hour I prayed in my house, and, behold, a man stood before me in bright clothing,
31 And said, Cornelius, thy prayer is heard, and thine alms are had in remembrance in the sight of God.
32 Send therefore to Joppa, and call hither Simon, whose surname is Peter; he is lodged in the house of one Simon a tanner by the sea side: who, when he cometh, shall speak unto thee.
33 Immediately therefore I sent to thee; and thou hast well done that thou art come. Now therefore are we all here present before God, to hear all things that are commanded thee of God.
34 Then Peter opened his mouth, and said, Of a truth I perceive that God is no respecter of persons:
35 But in every nation he that feareth him, and worketh righteousness, is accepted with him.
36 The word which God sent unto the children of Israel, preaching peace by Jesus Christ: (he is Lord of all:)
37 That word, I say, ye know, which was published throughout all Judaea, and began from Galilee, after the baptism which John preached;
38 How God anointed Jesus of Nazareth with the Holy Ghost and with power: who went about doing good, and healing all that were oppressed of the devil; for God was with him.
39 And we are witnesses of all things which he did both in the land of the Jews, and in Jerusalem; whom they slew and hanged on a tree:
40 Him God raised up the third day, and shewed him openly;
41 Not to all the people, but unto witnesses chosen before God, even to us, who did eat and drink with him after he rose from the dead.
42 And he commanded us to preach unto the people, and to testify that it is he which was ordained of God to be the Judge of quick and dead.
43 To him give all the prophets witness, that through his name whosoever believeth in him shall receive remission of sins.
44 While Peter yet spake these words, the Holy Ghost fell on all them which heard the word.
45 And they of the circumcision which believed were astonished, as many as came with Peter, because that on the Gentiles also was poured out the gift of the Holy Ghost.
46 For they heard them speak with tongues, and magnify God. Then answered Peter,
47 Can any man forbid water, that these should not be baptized, which have received the Holy Ghost as well as we?
48 And he commanded them to be baptized in the name of the Lord. Then prayed they him to tarry certain days.
## Acts Chapter 11
1 And the apostles and brethren that were in Judaea heard that the Gentiles had also received the word of God.
2 And when Peter was come up to Jerusalem, they that were of the circumcision contended with him,
3 Saying, Thou wentest in to men uncircumcised, and didst eat with them.
4 But Peter rehearsed the matter from the beginning, and expounded it by order unto them, saying,
5 I was in the city of Joppa praying: and in a trance I saw a vision, A certain vessel descend, as it had been a great sheet, let down from heaven by four corners; and it came even to me:
6 Upon the which when I had fastened mine eyes, I considered, and saw fourfooted beasts of the earth, and wild beasts, and creeping things, and fowls of the air.
7 And I heard a voice saying unto me, Arise, Peter; slay and eat.
8 But I said, Not so, Lord: for nothing common or unclean hath at any time entered into my mouth.
9 But the voice answered me again from heaven, What God hath cleansed, that call not thou common.
10 And this was done three times: and all were drawn up again into heaven.
11 And, behold, immediately there were three men already come unto the house where I was, sent from Caesarea unto me.
12 And the Spirit bade me go with them, nothing doubting. Moreover these six brethren accompanied me, and we entered into the man's house:
13 And he shewed us how he had seen an angel in his house, which stood and said unto him, Send men to Joppa, and call for Simon, whose surname is Peter;
14 Who shall tell thee words, whereby thou and all thy house shall be saved.
15 And as I began to speak, the Holy Ghost fell on them, as on us at the beginning.
16 Then remembered I the word of the Lord, how that he said, John indeed baptized with water; but ye shall be baptized with the Holy Ghost.
17 Forasmuch then as God gave them the like gift as he did unto us, who believed on the Lord Jesus Christ; what was I, that I could withstand God?
18 When they heard these things, they held their peace, and glorified God, saying, Then hath God also to the Gentiles granted repentance unto life.
19 Now they which were scattered abroad upon the persecution that arose about Stephen travelled as far as Phenice, and Cyprus, and Antioch, preaching the word to none but unto the Jews only.
20 And some of them were men of Cyprus and Cyrene, which, when they were come to Antioch, spake unto the Grecians, preaching the Lord Jesus.
21 And the hand of the Lord was with them: and a great number believed, and turned unto the Lord.
22 Then tidings of these things came unto the ears of the church which was in Jerusalem: and they sent forth Barnabas, that he should go as far as Antioch.
23 Who, when he came, and had seen the grace of God, was glad, and exhorted them all, that with purpose of heart they would cleave unto the Lord.
24 For he was a good man, and full of the Holy Ghost and of faith: and much people was added unto the Lord.
25 Then departed Barnabas to Tarsus, for to seek Saul:
26 And when he had found him, he brought him unto Antioch. And it came to pass, that a whole year they assembled themselves with the church, and taught much people. And the disciples were called Christians first in Antioch.
27 And in these days came prophets from Jerusalem unto Antioch.
28 And there stood up one of them named Agabus, and signified by the Spirit that there should be great dearth throughout all the world: which came to pass in the days of Claudius Caesar.
29 Then the disciples, every man according to his ability, determined to send relief unto the brethren which dwelt in Judaea:
30 Which also they did, and sent it to the elders by the hands of Barnabas and Saul.
## Acts Chapter 12
1 Now about that time Herod the king stretched forth his hands to vex certain of the church.
2 And he killed James the brother of John with the sword.
3 And because he saw it pleased the Jews, he proceeded further to take Peter also. (Then were the days of unleavened bread.)
4 And when he had apprehended him, he put him in prison, and delivered him to four quaternions of soldiers to keep him; intending after Easter to bring him forth to the people.
5 Peter therefore was kept in prison: but prayer was made without ceasing of the church unto God for him.
6 And when Herod would have brought him forth, the same night Peter was sleeping between two soldiers, bound with two chains: and the keepers before the door kept the prison.
7 And, behold, the angel of the Lord came upon him, and a light shined in the prison: and he smote Peter on the side, and raised him up, saying, Arise up quickly. And his chains fell off from his hands.
8 And the angel said unto him, Gird thyself, and bind on thy sandals. And so he did. And he saith unto him, Cast thy garment about thee, and follow me.
9 And he went out, and followed him; and wist not that it was true which was done by the angel; but thought he saw a vision.
10 When they were past the first and the second ward, they came unto the iron gate that leadeth unto the city; which opened to them of his own accord: and they went out, and passed on through one street; and forthwith the angel departed from him.
11 And when Peter was come to himself, he said, Now I know of a surety, that the Lord hath sent his angel, and hath delivered me out of the hand of Herod, and from all the expectation of the people of the Jews.
12 And when he had considered the thing, he came to the house of Mary the mother of John, whose surname was Mark; where many were gathered together praying.
13 And as Peter knocked at the door of the gate, a damsel came to hearken, named Rhoda.
14 And when she knew Peter's voice, she opened not the gate for gladness, but ran in, and told how Peter stood before the gate.
15 And they said unto her, Thou art mad. But she constantly affirmed that it was even so. Then said they, It is his angel.
16 But Peter continued knocking: and when they had opened the door, and saw him, they were astonished.
17 But he, beckoning unto them with the hand to hold their peace, declared unto them how the Lord had brought him out of the prison. And he said, Go shew these things unto James, and to the brethren. And he departed, and went into another place.
18 Now as soon as it was day, there was no small stir among the soldiers, what was become of Peter.
19 And when Herod had sought for him, and found him not, he examined the keepers, and commanded that they should be put to death. And he went down from Judaea to Caesarea, and there abode.
20 And Herod was highly displeased with them of Tyre and Sidon: but they came with one accord to him, and, having made Blastus the king's chamberlain their friend, desired peace; because their country was nourished by the king's country.
21 And upon a set day Herod, arrayed in royal apparel, sat upon his throne, and made an oration unto them.
22 And the people gave a shout, saying, It is the voice of a god, and not of a man.
23 And immediately the angel of the Lord smote him, because he gave not God the glory: and he was eaten of worms, and gave up the ghost.
24 But the word of God grew and multiplied.
25 And Barnabas and Saul returned from Jerusalem, when they had fulfilled their ministry, and took with them John, whose surname was Mark.
## Acts Chapter 13
1 Now there were in the church that was at Antioch certain prophets and teachers; as Barnabas, and Simeon that was called Niger, and Lucius of Cyrene, and Manaen, which had been brought up with Herod the tetrarch, and Saul.
2 As they ministered to the Lord, and fasted, the Holy Ghost said, Separate me Barnabas and Saul for the work whereunto I have called them.
3 And when they had fasted and prayed, and laid their hands on them, they sent them away.
4 So they, being sent forth by the Holy Ghost, departed unto Seleucia; and from thence they sailed to Cyprus.
5 And when they were at Salamis, they preached the word of God in the synagogues of the Jews: and they had also John to their minister.
6 And when they had gone through the isle unto Paphos, they found a certain sorcerer, a false prophet, a Jew, whose name was Barjesus:
7 Which was with the deputy of the country, Sergius Paulus, a prudent man; who called for Barnabas and Saul, and desired to hear the word of God.
8 But Elymas the sorcerer (for so is his name by interpretation) withstood them, seeking to turn away the deputy from the faith.
9 Then Saul, (who also is called Paul,) filled with the Holy Ghost, set his eyes on him.
10 And said, O full of all subtilty and all mischief, thou child of the devil, thou enemy of all righteousness, wilt thou not cease to pervert the right ways of the Lord?
11 And now, behold, the hand of the Lord is upon thee, and thou shalt be blind, not seeing the sun for a season. And immediately there fell on him a mist and a darkness; and he went about seeking some to lead him by the hand.
12 Then the deputy, when he saw what was done, believed, being astonished at the doctrine of the Lord.
13 Now when Paul and his company loosed from Paphos, they came to Perga in Pamphylia: and John departing from them returned to Jerusalem.
14 But when they departed from Perga, they came to Antioch in Pisidia, and went into the synagogue on the sabbath day, and sat down.
15 And after the reading of the law and the prophets the rulers of the synagogue sent unto them, saying, Ye men and brethren, if ye have any word of exhortation for the people, say on.
16 Then Paul stood up, and beckoning with his hand said, Men of Israel, and ye that fear God, give audience.
17 The God of this people of Israel chose our fathers, and exalted the people when they dwelt as strangers in the land of Egypt, and with an high arm brought he them out of it.
18 And about the time of forty years suffered he their manners in the wilderness.
19 And when he had destroyed seven nations in the land of Chanaan, he divided their land to them by lot.
20 And after that he gave unto them judges about the space of four hundred and fifty years, until Samuel the prophet.
21 And afterward they desired a king: and God gave unto them Saul the son of Cis, a man of the tribe of Benjamin, by the space of forty years.
22 And when he had removed him, he raised up unto them David to be their king; to whom also he gave their testimony, and said, I have found David the son of Jesse, a man after mine own heart, which shall fulfil all my will.
23 Of this man's seed hath God according to his promise raised unto Israel a Saviour, Jesus:
24 When John had first preached before his coming the baptism of repentance to all the people of Israel.
25 And as John fulfilled his course, he said, Whom think ye that I am? I am not he. But, behold, there cometh one after me, whose shoes of his feet I am not worthy to loose.
26 Men and brethren, children of the stock of Abraham, and whosoever among you feareth God, to you is the word of this salvation sent.
27 For they that dwell at Jerusalem, and their rulers, because they knew him not, nor yet the voices of the prophets which are read every sabbath day, they have fulfilled them in condemning him.
28 And though they found no cause of death in him, yet desired they Pilate that he should be slain.
29 And when they had fulfilled all that was written of him, they took him down from the tree, and laid him in a sepulchre.
30 But God raised him from the dead:
31 And he was seen many days of them which came up with him from Galilee to Jerusalem, who are his witnesses unto the people.
32 And we declare unto you glad tidings, how that the promise which was made unto the fathers,
33 God hath fulfilled the same unto us their children, in that he hath raised up Jesus again; as it is also written in the second psalm, Thou art my Son, this day have I begotten thee.
34 And as concerning that he raised him up from the dead, now no more to return to corruption, he said on this wise, I will give you the sure mercies of David.
35 Wherefore he saith also in another psalm, Thou shalt not suffer thine Holy One to see corruption.
36 For David, after he had served his own generation by the will of God, fell on sleep, and was laid unto his fathers, and saw corruption:
37 But he, whom God raised again, saw no corruption.
38 Be it known unto you therefore, men and brethren, that through this man is preached unto you the forgiveness of sins:
39 And by him all that believe are justified from all things, from which ye could not be justified by the law of Moses.
40 Beware therefore, lest that come upon you, which is spoken of in the prophets;
41 Behold, ye despisers, and wonder, and perish: for I work a work in your days, a work which ye shall in no wise believe, though a man declare it unto you.
42 And when the Jews were gone out of the synagogue, the Gentiles besought that these words might be preached to them the next sabbath.
43 Now when the congregation was broken up, many of the Jews and religious proselytes followed Paul and Barnabas: who, speaking to them, persuaded them to continue in the grace of God.
44 And the next sabbath day came almost the whole city together to hear the word of God.
45 But when the Jews saw the multitudes, they were filled with envy, and spake against those things which were spoken by Paul, contradicting and blaspheming.
46 Then Paul and Barnabas waxed bold, and said, It was necessary that the word of God should first have been spoken to you: but seeing ye put it from you, and judge yourselves unworthy of everlasting life, lo, we turn to the Gentiles.
47 For so hath the Lord commanded us, saying, I have set thee to be a light of the Gentiles, that thou shouldest be for salvation unto the ends of the earth.
48 And when the Gentiles heard this, they were glad, and glorified the word of the Lord: and as many as were ordained to eternal life believed.
49 And the word of the Lord was published throughout all the region.
50 But the Jews stirred up the devout and honourable women, and the chief men of the city, and raised persecution against Paul and Barnabas, and expelled them out of their coasts.
51 But they shook off the dust of their feet against them, and came unto Iconium.
52 And the disciples were filled with joy, and with the Holy Ghost.
## Acts Chapter 14
1 And it came to pass in Iconium, that they went both together into the synagogue of the Jews, and so spake, that a great multitude both of the Jews and also of the Greeks believed.
2 But the unbelieving Jews stirred up the Gentiles, and made their minds evil affected against the brethren.
3 Long time therefore abode they speaking boldly in the Lord, which gave testimony unto the word of his grace, and granted signs and wonders to be done by their hands.
4 But the multitude of the city was divided: and part held with the Jews, and part with the apostles.
5 And when there was an assault made both of the Gentiles, and also of the Jews with their rulers, to use them despitefully, and to stone them,
6 They were ware of it, and fled unto Lystra and Derbe, cities of Lycaonia, and unto the region that lieth round about:
7 And there they preached the gospel.
8 And there sat a certain man at Lystra, impotent in his feet, being a cripple from his mother's womb, who never had walked:
9 The same heard Paul speak: who stedfastly beholding him, and perceiving that he had faith to be healed,
10 Said with a loud voice, Stand upright on thy feet. And he leaped and walked.
11 And when the people saw what Paul had done, they lifted up their voices, saying in the speech of Lycaonia, The gods are come down to us in the likeness of men.
12 And they called Barnabas, Jupiter; and Paul, Mercurius, because he was the chief speaker.
13 Then the priest of Jupiter, which was before their city, brought oxen and garlands unto the gates, and would have done sacrifice with the people.
14 Which when the apostles, Barnabas and Paul, heard of, they rent their clothes, and ran in among the people, crying out,
15 And saying, Sirs, why do ye these things? We also are men of like passions with you, and preach unto you that ye should turn from these vanities unto the living God, which made heaven, and earth, and the sea, and all things that are therein:
16 Who in times past suffered all nations to walk in their own ways.
17 Nevertheless he left not himself without witness, in that he did good, and gave us rain from heaven, and fruitful seasons, filling our hearts with food and gladness.
18 And with these sayings scarce restrained they the people, that they had not done sacrifice unto them.
19 And there came thither certain Jews from Antioch and Iconium, who persuaded the people, and having stoned Paul, drew him out of the city, supposing he had been dead.
20 Howbeit, as the disciples stood round about him, he rose up, and came into the city: and the next day he departed with Barnabas to Derbe.
21 And when they had preached the gospel to that city, and had taught many, they returned again to Lystra, and to Iconium, and Antioch,
22 Confirming the souls of the disciples, and exhorting them to continue in the faith, and that we must through much tribulation enter into the kingdom of God.
23 And when they had ordained them elders in every church, and had prayed with fasting, they commended them to the Lord, on whom they believed.
24 And after they had passed throughout Pisidia, they came to Pamphylia.
25 And when they had preached the word in Perga, they went down into Attalia:
26 And thence sailed to Antioch, from whence they had been recommended to the grace of God for the work which they fulfilled.
27 And when they were come, and had gathered the church together, they rehearsed all that God had done with them, and how he had opened the door of faith unto the Gentiles.
28 And there they abode long time with the disciples.
## Acts Chapter 15
1 And certain men which came down from Judaea taught the brethren, and said, Except ye be circumcised after the manner of Moses, ye cannot be saved.
2 When therefore Paul and Barnabas had no small dissension and disputation with them, they determined that Paul and Barnabas, and certain other of them, should go up to Jerusalem unto the apostles and elders about this question.
3 And being brought on their way by the church, they passed through Phenice and Samaria, declaring the conversion of the Gentiles: and they caused great joy unto all the brethren.
4 And when they were come to Jerusalem, they were received of the church, and of the apostles and elders, and they declared all things that God had done with them.
5 But there rose up certain of the sect of the Pharisees which believed, saying, That it was needful to circumcise them, and to command them to keep the law of Moses.
6 And the apostles and elders came together for to consider of this matter.
7 And when there had been much disputing, Peter rose up, and said unto them, Men and brethren, ye know how that a good while ago God made choice among us, that the Gentiles by my mouth should hear the word of the gospel, and believe.
8 And God, which knoweth the hearts, bare them witness, giving them the Holy Ghost, even as he did unto us;
9 And put no difference between us and them, purifying their hearts by faith.
10 Now therefore why tempt ye God, to put a yoke upon the neck of the disciples, which neither our fathers nor we were able to bear?
11 But we believe that through the grace of the Lord Jesus Christ we shall be saved, even as they.
12 Then all the multitude kept silence, and gave audience to Barnabas and Paul, declaring what miracles and wonders God had wrought among the Gentiles by them.
13 And after they had held their peace, James answered, saying, Men and brethren, hearken unto me:
14 Simeon hath declared how God at the first did visit the Gentiles, to take out of them a people for his name.
15 And to this agree the words of the prophets; as it is written,
16 After this I will return, and will build again the tabernacle of David, which is fallen down; and I will build again the ruins thereof, and I will set it up:
17 That the residue of men might seek after the Lord, and all the Gentiles, upon whom my name is called, saith the Lord, who doeth all these things.
18 Known unto God are all his works from the beginning of the world.
19 Wherefore my sentence is, that we trouble not them, which from among the Gentiles are turned to God:
20 But that we write unto them, that they abstain from pollutions of idols, and from fornication, and from things strangled, and from blood.
21 For Moses of old time hath in every city them that preach him, being read in the synagogues every sabbath day.
22 Then pleased it the apostles and elders with the whole church, to send chosen men of their own company to Antioch with Paul and Barnabas; namely, Judas surnamed Barsabas and Silas, chief men among the brethren:
23 And they wrote letters by them after this manner; The apostles and elders and brethren send greeting unto the brethren which are of the Gentiles in Antioch and Syria and Cilicia.
24 Forasmuch as we have heard, that certain which went out from us have troubled you with words, subverting your souls, saying, Ye must be circumcised, and keep the law: to whom we gave no such commandment:
25 It seemed good unto us, being assembled with one accord, to send chosen men unto you with our beloved Barnabas and Paul,
26 Men that have hazarded their lives for the name of our Lord Jesus Christ.
27 We have sent therefore Judas and Silas, who shall also tell you the same things by mouth.
28 For it seemed good to the Holy Ghost, and to us, to lay upon you no greater burden than these necessary things;
29 That ye abstain from meats offered to idols, and from blood, and from things strangled, and from fornication: from which if ye keep yourselves, ye shall do well. Fare ye well.
30 So when they were dismissed, they came to Antioch: and when they had gathered the multitude together, they delivered the epistle:
31 Which when they had read, they rejoiced for the consolation.
32 And Judas and Silas, being prophets also themselves, exhorted the brethren with many words, and confirmed them.
33 And after they had tarried there a space, they were let go in peace from the brethren unto the apostles.
34 Notwithstanding it pleased Silas to abide there still.
35 Paul also and Barnabas continued in Antioch, teaching and preaching the word of the Lord, with many others also.
36 And some days after Paul said unto Barnabas, Let us go again and visit our brethren in every city where we have preached the word of the Lord, and see how they do.
37 And Barnabas determined to take with them John, whose surname was Mark.
38 But Paul thought not good to take him with them, who departed from them from Pamphylia, and went not with them to the work.
39 And the contention was so sharp between them, that they departed asunder one from the other: and so Barnabas took Mark, and sailed unto Cyprus;
40 And Paul chose Silas, and departed, being recommended by the brethren unto the grace of God.
41 And he went through Syria and Cilicia, confirming the churches.
## Acts Chapter 16
1 Then came he to Derbe and Lystra: and, behold, a certain disciple was there, named Timotheus, the son of a certain woman, which was a Jewess, and believed; but his father was a Greek:
2 Which was well reported of by the brethren that were at Lystra and Iconium.
3 Him would Paul have to go forth with him; and took and circumcised him because of the Jews which were in those quarters: for they knew all that his father was a Greek.
4 And as they went through the cities, they delivered them the decrees for to keep, that were ordained of the apostles and elders which were at Jerusalem.
5 And so were the churches established in the faith, and increased in number daily.
6 Now when they had gone throughout Phrygia and the region of Galatia, and were forbidden of the Holy Ghost to preach the word in Asia,
7 After they were come to Mysia, they assayed to go into Bithynia: but the Spirit suffered them not.
8 And they passing by Mysia came down to Troas.
9 And a vision appeared to Paul in the night; There stood a man of Macedonia, and prayed him, saying, Come over into Macedonia, and help us.
10 And after he had seen the vision, immediately we endeavoured to go into Macedonia, assuredly gathering that the Lord had called us for to preach the gospel unto them.
11 Therefore loosing from Troas, we came with a straight course to Samothracia, and the next day to Neapolis;
12 And from thence to Philippi, which is the chief city of that part of Macedonia, and a colony: and we were in that city abiding certain days.
13 And on the sabbath we went out of the city by a river side, where prayer was wont to be made; and we sat down, and spake unto the women which resorted thither.
14 And a certain woman named Lydia, a seller of purple, of the city of Thyatira, which worshipped God, heard us: whose heart the Lord opened, that she attended unto the things which were spoken of Paul.
15 And when she was baptized, and her household, she besought us, saying, If ye have judged me to be faithful to the Lord, come into my house, and abide there. And she constrained us.
16 And it came to pass, as we went to prayer, a certain damsel possessed with a spirit of divination met us, which brought her masters much gain by soothsaying:
17 The same followed Paul and us, and cried, saying, These men are the servants of the most high God, which shew unto us the way of salvation.
18 And this did she many days. But Paul, being grieved, turned and said to the spirit, I command thee in the name of Jesus Christ to come out of her. And he came out the same hour.
19 And when her masters saw that the hope of their gains was gone, they caught Paul and Silas, and drew them into the marketplace unto the rulers,
20 And brought them to the magistrates, saying, These men, being Jews, do exceedingly trouble our city,
21 And teach customs, which are not lawful for us to receive, neither to observe, being Romans.
22 And the multitude rose up together against them: and the magistrates rent off their clothes, and commanded to beat them.
23 And when they had laid many stripes upon them, they cast them into prison, charging the jailor to keep them safely:
24 Who, having received such a charge, thrust them into the inner prison, and made their feet fast in the stocks.
25 And at midnight Paul and Silas prayed, and sang praises unto God: and the prisoners heard them.
26 And suddenly there was a great earthquake, so that the foundations of the prison were shaken: and immediately all the doors were opened, and every one's bands were loosed.
27 And the keeper of the prison awaking out of his sleep, and seeing the prison doors open, he drew out his sword, and would have killed himself, supposing that the prisoners had been fled.
28 But Paul cried with a loud voice, saying, Do thyself no harm: for we are all here.
29 Then he called for a light, and sprang in, and came trembling, and fell down before Paul and Silas,
30 And brought them out, and said, Sirs, what must I do to be saved?
31 And they said, Believe on the Lord Jesus Christ, and thou shalt be saved, and thy house.
32 And they spake unto him the word of the Lord, and to all that were in his house.
33 And he took them the same hour of the night, and washed their stripes; and was baptized, he and all his, straightway.
34 And when he had brought them into his house, he set meat before them, and rejoiced, believing in God with all his house.
35 And when it was day, the magistrates sent the serjeants, saying, Let those men go.
36 And the keeper of the prison told this saying to Paul, The magistrates have sent to let you go: now therefore depart, and go in peace.
37 But Paul said unto them, They have beaten us openly uncondemned, being Romans, and have cast us into prison; and now do they thrust us out privily? nay verily; but let them come themselves and fetch us out.
38 And the serjeants told these words unto the magistrates: and they feared, when they heard that they were Romans.
39 And they came and besought them, and brought them out, and desired them to depart out of the city.
40 And they went out of the prison, and entered into the house of Lydia: and when they had seen the brethren, they comforted them, and departed.
## Acts Chapter 17
1 Now when they had passed through Amphipolis and Apollonia, they came to Thessalonica, where was a synagogue of the Jews:
2 And Paul, as his manner was, went in unto them, and three sabbath days reasoned with them out of the scriptures,
3 Opening and alleging, that Christ must needs have suffered, and risen again from the dead; and that this Jesus, whom I preach unto you, is Christ.
4 And some of them believed, and consorted with Paul and Silas; and of the devout Greeks a great multitude, and of the chief women not a few.
5 But the Jews which believed not, moved with envy, took unto them certain lewd fellows of the baser sort, and gathered a company, and set all the city on an uproar, and assaulted the house of Jason, and sought to bring them out to the people.
6 And when they found them not, they drew Jason and certain brethren unto the rulers of the city, crying, These that have turned the world upside down are come hither also;
7 Whom Jason hath received: and these all do contrary to the decrees of Caesar, saying that there is another king, one Jesus.
8 And they troubled the people and the rulers of the city, when they heard these things.
9 And when they had taken security of Jason, and of the other, they let them go.
10 And the brethren immediately sent away Paul and Silas by night unto Berea: who coming thither went into the synagogue of the Jews.
11 These were more noble than those in Thessalonica, in that they received the word with all readiness of mind, and searched the scriptures daily, whether those things were so.
12 Therefore many of them believed; also of honourable women which were Greeks, and of men, not a few.
13 But when the Jews of Thessalonica had knowledge that the word of God was preached of Paul at Berea, they came thither also, and stirred up the people.
14 And then immediately the brethren sent away Paul to go as it were to the sea: but Silas and Timotheus abode there still.
15 And they that conducted Paul brought him unto Athens: and receiving a commandment unto Silas and Timotheus for to come to him with all speed, they departed.
16 Now while Paul waited for them at Athens, his spirit was stirred in him, when he saw the city wholly given to idolatry.
17 Therefore disputed he in the synagogue with the Jews, and with the devout persons, and in the market daily with them that met with him.
18 Then certain philosophers of the Epicureans, and of the Stoicks, encountered him. And some said, What will this babbler say? other some, He seemeth to be a setter forth of strange gods: because he preached unto them Jesus, and the resurrection.
19 And they took him, and brought him unto Areopagus, saying, May we know what this new doctrine, whereof thou speakest, is?
20 For thou bringest certain strange things to our ears: we would know therefore what these things mean.
21 (For all the Athenians and strangers which were there spent their time in nothing else, but either to tell, or to hear some new thing.)
22 Then Paul stood in the midst of Mars' hill, and said, Ye men of Athens, I perceive that in all things ye are too superstitious.
23 For as I passed by, and beheld your devotions, I found an altar with this inscription, To The Unknown God. Whom therefore ye ignorantly worship, him declare I unto you.
24 God that made the world and all things therein, seeing that he is Lord of heaven and earth, dwelleth not in temples made with hands;
25 Neither is worshipped with men's hands, as though he needed any thing, seeing he giveth to all life, and breath, and all things;
26 And hath made of one blood all nations of men for to dwell on all the face of the earth, and hath determined the times before appointed, and the bounds of their habitation;
27 That they should seek the Lord, if haply they might feel after him, and find him, though he be not far from every one of us:
28 For in him we live, and move, and have our being; as certain also of your own poets have said, For we are also his offspring.
29 Forasmuch then as we are the offspring of God, we ought not to think that the Godhead is like unto gold, or silver, or stone, graven by art and man's device.
30 And the times of this ignorance God winked at; but now commandeth all men every where to repent:
31 Because he hath appointed a day, in the which he will judge the world in righteousness by that man whom he hath ordained; whereof he hath given assurance unto all men, in that he hath raised him from the dead.
32 And when they heard of the resurrection of the dead, some mocked: and others said, We will hear thee again of this matter.
33 So Paul departed from among them.
34 Howbeit certain men clave unto him, and believed: among the which was Dionysius the Areopagite, and a woman named Damaris, and others with them.
## Acts Chapter 18
1 After these things Paul departed from Athens, and came to Corinth;
2 And found a certain Jew named Aquila, born in Pontus, lately come from Italy, with his wife Priscilla; (because that Claudius had commanded all Jews to depart from Rome:) and came unto them.
3 And because he was of the same craft, he abode with them, and wrought: for by their occupation they were tentmakers.
4 And he reasoned in the synagogue every sabbath, and persuaded the Jews and the Greeks.
5 And when Silas and Timotheus were come from Macedonia, Paul was pressed in the spirit, and testified to the Jews that Jesus was Christ.
6 And when they opposed themselves, and blasphemed, he shook his raiment, and said unto them, Your blood be upon your own heads; I am clean; from henceforth I will go unto the Gentiles.
7 And he departed thence, and entered into a certain man's house, named Justus, one that worshipped God, whose house joined hard to the synagogue.
8 And Crispus, the chief ruler of the synagogue, believed on the Lord with all his house; and many of the Corinthians hearing believed, and were baptized.
9 Then spake the Lord to Paul in the night by a vision, Be not afraid, but speak, and hold not thy peace:
10 For I am with thee, and no man shall set on thee to hurt thee: for I have much people in this city.
11 And he continued there a year and six months, teaching the word of God among them.
12 And when Gallio was the deputy of Achaia, the Jews made insurrection with one accord against Paul, and brought him to the judgment seat,
13 Saying, This fellow persuadeth men to worship God contrary to the law.
14 And when Paul was now about to open his mouth, Gallio said unto the Jews, If it were a matter of wrong or wicked lewdness, O ye Jews, reason would that I should bear with you:
15 But if it be a question of words and names, and of your law, look ye to it; for I will be no judge of such matters.
16 And he drave them from the judgment seat.
17 Then all the Greeks took Sosthenes, the chief ruler of the synagogue, and beat him before the judgment seat. And Gallio cared for none of those things.
18 And Paul after this tarried there yet a good while, and then took his leave of the brethren, and sailed thence into Syria, and with him Priscilla and Aquila; having shorn his head in Cenchrea: for he had a vow.
19 And he came to Ephesus, and left them there: but he himself entered into the synagogue, and reasoned with the Jews.
20 When they desired him to tarry longer time with them, he consented not;
21 But bade them farewell, saying, I must by all means keep this feast that cometh in Jerusalem: but I will return again unto you, if God will. And he sailed from Ephesus.
22 And when he had landed at Caesarea, and gone up, and saluted the church, he went down to Antioch.
23 And after he had spent some time there, he departed, and went over all the country of Galatia and Phrygia in order, strengthening all the disciples.
24 And a certain Jew named Apollos, born at Alexandria, an eloquent man, and mighty in the scriptures, came to Ephesus.
25 This man was instructed in the way of the Lord; and being fervent in the spirit, he spake and taught diligently the things of the Lord, knowing only the baptism of John.
26 And he began to speak boldly in the synagogue: whom when Aquila and Priscilla had heard, they took him unto them, and expounded unto him the way of God more perfectly.
27 And when he was disposed to pass into Achaia, the brethren wrote, exhorting the disciples to receive him: who, when he was come, helped them much which had believed through grace:
28 For he mightily convinced the Jews, and that publicly, shewing by the scriptures that Jesus was Christ.
## Acts Chapter 19
1 And it came to pass, that, while Apollos was at Corinth, Paul having passed through the upper coasts came to Ephesus: and finding certain disciples,
2 He said unto them, Have ye received the Holy Ghost since ye believed? And they said unto him, We have not so much as heard whether there be any Holy Ghost.
3 And he said unto them, Unto what then were ye baptized? And they said, Unto John's baptism.
4 Then said Paul, John verily baptized with the baptism of repentance, saying unto the people, that they should believe on him which should come after him, that is, on Christ Jesus.
5 When they heard this, they were baptized in the name of the Lord Jesus.
6 And when Paul had laid his hands upon them, the Holy Ghost came on them; and they spake with tongues, and prophesied.
7 And all the men were about twelve.
8 And he went into the synagogue, and spake boldly for the space of three months, disputing and persuading the things concerning the kingdom of God.
9 But when divers were hardened, and believed not, but spake evil of that way before the multitude, he departed from them, and separated the disciples, disputing daily in the school of one Tyrannus.
10 And this continued by the space of two years; so that all they which dwelt in Asia heard the word of the Lord Jesus, both Jews and Greeks.
11 And God wrought special miracles by the hands of Paul:
12 So that from his body were brought unto the sick handkerchiefs or aprons, and the diseases departed from them, and the evil spirits went out of them.
13 Then certain of the vagabond Jews, exorcists, took upon them to call over them which had evil spirits the name of the Lord Jesus, saying, We adjure you by Jesus whom Paul preacheth.
14 And there were seven sons of one Sceva, a Jew, and chief of the priests, which did so.
15 And the evil spirit answered and said, Jesus I know, and Paul I know; but who are ye?
16 And the man in whom the evil spirit was leaped on them, and overcame them, and prevailed against them, so that they fled out of that house naked and wounded.
17 And this was known to all the Jews and Greeks also dwelling at Ephesus; and fear fell on them all, and the name of the Lord Jesus was magnified.
18 And many that believed came, and confessed, and shewed their deeds.
19 Many of them also which used curious arts brought their books together, and burned them before all men: and they counted the price of them, and found it fifty thousand pieces of silver.
20 So mightily grew the word of God and prevailed.
21 After these things were ended, Paul purposed in the spirit, when he had passed through Macedonia and Achaia, to go to Jerusalem, saying, After I have been there, I must also see Rome.
22 So he sent into Macedonia two of them that ministered unto him, Timotheus and Erastus; but he himself stayed in Asia for a season.
23 And the same time there arose no small stir about that way.
24 For a certain man named Demetrius, a silversmith, which made silver shrines for Diana, brought no small gain unto the craftsmen;
25 Whom he called together with the workmen of like occupation, and said, Sirs, ye know that by this craft we have our wealth.
26 Moreover ye see and hear, that not alone at Ephesus, but almost throughout all Asia, this Paul hath persuaded and turned away much people, saying that they be no gods, which are made with hands:
27 So that not only this our craft is in danger to be set at nought; but also that the temple of the great goddess Diana should be despised, and her magnificence should be destroyed, whom all Asia and the world worshippeth.
28 And when they heard these sayings, they were full of wrath, and cried out, saying, Great is Diana of the Ephesians.
29 And the whole city was filled with confusion: and having caught Gaius and Aristarchus, men of Macedonia, Paul's companions in travel, they rushed with one accord into the theatre.
30 And when Paul would have entered in unto the people, the disciples suffered him not.
31 And certain of the chief of Asia, which were his friends, sent unto him, desiring him that he would not adventure himself into the theatre.
32 Some therefore cried one thing, and some another: for the assembly was confused: and the more part knew not wherefore they were come together.
33 And they drew Alexander out of the multitude, the Jews putting him forward. And Alexander beckoned with the hand, and would have made his defence unto the people.
34 But when they knew that he was a Jew, all with one voice about the space of two hours cried out, Great is Diana of the Ephesians.
35 And when the townclerk had appeased the people, he said, Ye men of Ephesus, what man is there that knoweth not how that the city of the Ephesians is a worshipper of the great goddess Diana, and of the image which fell down from Jupiter?
36 Seeing then that these things cannot be spoken against, ye ought to be quiet, and to do nothing rashly.
37 For ye have brought hither these men, which are neither robbers of churches, nor yet blasphemers of your goddess.
38 Wherefore if Demetrius, and the craftsmen which are with him, have a matter against any man, the law is open, and there are deputies: let them implead one another.
39 But if ye enquire any thing concerning other matters, it shall be determined in a lawful assembly.
40 For we are in danger to be called in question for this day's uproar, there being no cause whereby we may give an account of this concourse.
41 And when he had thus spoken, he dismissed the assembly.
## Acts Chapter 20
1 And after the uproar was ceased, Paul called unto him the disciples, and embraced them, and departed for to go into Macedonia.
2 And when he had gone over those parts, and had given them much exhortation, he came into Greece,
3 And there abode three months. And when the Jews laid wait for him, as he was about to sail into Syria, he purposed to return through Macedonia.
4 And there accompanied him into Asia Sopater of Berea; and of the Thessalonians, Aristarchus and Secundus; and Gaius of Derbe, and Timotheus; and of Asia, Tychicus and Trophimus.
5 These going before tarried for us at Troas.
6 And we sailed away from Philippi after the days of unleavened bread, and came unto them to Troas in five days; where we abode seven days.
7 And upon the first day of the week, when the disciples came together to break bread, Paul preached unto them, ready to depart on the morrow; and continued his speech until midnight.
8 And there were many lights in the upper chamber, where they were gathered together.
9 And there sat in a window a certain young man named Eutychus, being fallen into a deep sleep: and as Paul was long preaching, he sunk down with sleep, and fell down from the third loft, and was taken up dead.
10 And Paul went down, and fell on him, and embracing him said, Trouble not yourselves; for his life is in him.
11 When he therefore was come up again, and had broken bread, and eaten, and talked a long while, even till break of day, so he departed.
12 And they brought the young man alive, and were not a little comforted.
13 And we went before to ship, and sailed unto Assos, there intending to take in Paul: for so had he appointed, minding himself to go afoot.
14 And when he met with us at Assos, we took him in, and came to Mitylene.
15 And we sailed thence, and came the next day over against Chios; and the next day we arrived at Samos, and tarried at Trogyllium; and the next day we came to Miletus.
16 For Paul had determined to sail by Ephesus, because he would not spend the time in Asia: for he hasted, if it were possible for him, to be at Jerusalem the day of Pentecost.
17 And from Miletus he sent to Ephesus, and called the elders of the church.
18 And when they were come to him, he said unto them, Ye know, from the first day that I came into Asia, after what manner I have been with you at all seasons,
19 Serving the Lord with all humility of mind, and with many tears, and temptations, which befell me by the lying in wait of the Jews:
20 And how I kept back nothing that was profitable unto you, but have shewed you, and have taught you publicly, and from house to house,
21 Testifying both to the Jews, and also to the Greeks, repentance toward God, and faith toward our Lord Jesus Christ.
22 And now, behold, I go bound in the spirit unto Jerusalem, not knowing the things that shall befall me there:
23 Save that the Holy Ghost witnesseth in every city, saying that bonds and afflictions abide me.
24 But none of these things move me, neither count I my life dear unto myself, so that I might finish my course with joy, and the ministry, which I have received of the Lord Jesus, to testify the gospel of the grace of God.
25 And now, behold, I know that ye all, among whom I have gone preaching the kingdom of God, shall see my face no more.
26 Wherefore I take you to record this day, that I am pure from the blood of all men.
27 For I have not shunned to declare unto you all the counsel of God.
28 Take heed therefore unto yourselves, and to all the flock, over the which the Holy Ghost hath made you overseers, to feed the church of God, which he hath purchased with his own blood.
29 For I know this, that after my departing shall grievous wolves enter in among you, not sparing the flock.
30 Also of your own selves shall men arise, speaking perverse things, to draw away disciples after them.
31 Therefore watch, and remember, that by the space of three years I ceased not to warn every one night and day with tears.
32 And now, brethren, I commend you to God, and to the word of his grace, which is able to build you up, and to give you an inheritance among all them which are sanctified.
33 I have coveted no man's silver, or gold, or apparel.
34 Yea, ye yourselves know, that these hands have ministered unto my necessities, and to them that were with me.
35 I have shewed you all things, how that so labouring ye ought to support the weak, and to remember the words of the Lord Jesus, how he said, It is more blessed to give than to receive.
36 And when he had thus spoken, he kneeled down, and prayed with them all.
37 And they all wept sore, and fell on Paul's neck, and kissed him,
38 Sorrowing most of all for the words which he spake, that they should see his face no more. And they accompanied him unto the ship.
## Acts Chapter 21
1 And it came to pass, that after we were gotten from them, and had launched, we came with a straight course unto Coos, and the day following unto Rhodes, and from thence unto Patara:
2 And finding a ship sailing over unto Phenicia, we went aboard, and set forth.
3 Now when we had discovered Cyprus, we left it on the left hand, and sailed into Syria, and landed at Tyre: for there the ship was to unlade her burden.
4 And finding disciples, we tarried there seven days: who said to Paul through the Spirit, that he should not go up to Jerusalem.
5 And when we had accomplished those days, we departed and went our way; and they all brought us on our way, with wives and children, till we were out of the city: and we kneeled down on the shore, and prayed.
6 And when we had taken our leave one of another, we took ship; and they returned home again.
7 And when we had finished our course from Tyre, we came to Ptolemais, and saluted the brethren, and abode with them one day.
8 And the next day we that were of Paul's company departed, and came unto Caesarea: and we entered into the house of Philip the evangelist, which was one of the seven; and abode with him.
9 And the same man had four daughters, virgins, which did prophesy.
10 And as we tarried there many days, there came down from Judaea a certain prophet, named Agabus.
11 And when he was come unto us, he took Paul's girdle, and bound his own hands and feet, and said, Thus saith the Holy Ghost, So shall the Jews at Jerusalem bind the man that owneth this girdle, and shall deliver him into the hands of the Gentiles.
12 And when we heard these things, both we, and they of that place, besought him not to go up to Jerusalem.
13 Then Paul answered, What mean ye to weep and to break mine heart? for I am ready not to be bound only, but also to die at Jerusalem for the name of the Lord Jesus.
14 And when he would not be persuaded, we ceased, saying, The will of the Lord be done.
15 And after those days we took up our carriages, and went up to Jerusalem.
16 There went with us also certain of the disciples of Caesarea, and brought with them one Mnason of Cyprus, an old disciple, with whom we should lodge.
17 And when we were come to Jerusalem, the brethren received us gladly.
18 And the day following Paul went in with us unto James; and all the elders were present.
19 And when he had saluted them, he declared particularly what things God had wrought among the Gentiles by his ministry.
20 And when they heard it, they glorified the Lord, and said unto him, Thou seest, brother, how many thousands of Jews there are which believe; and they are all zealous of the law:
21 And they are informed of thee, that thou teachest all the Jews which are among the Gentiles to forsake Moses, saying that they ought not to circumcise their children, neither to walk after the customs.
22 What is it therefore? the multitude must needs come together: for they will hear that thou art come.
23 Do therefore this that we say to thee: We have four men which have a vow on them;
24 Them take, and purify thyself with them, and be at charges with them, that they may shave their heads: and all may know that those things, whereof they were informed concerning thee, are nothing; but that thou thyself also walkest orderly, and keepest the law.
25 As touching the Gentiles which believe, we have written and concluded that they observe no such thing, save only that they keep themselves from things offered to idols, and from blood, and from strangled, and from fornication.
26 Then Paul took the men, and the next day purifying himself with them entered into the temple, to signify the accomplishment of the days of purification, until that an offering should be offered for every one of them.
27 And when the seven days were almost ended, the Jews which were of Asia, when they saw him in the temple, stirred up all the people, and laid hands on him,
28 Crying out, Men of Israel, help: This is the man, that teacheth all men every where against the people, and the law, and this place: and further brought Greeks also into the temple, and hath polluted this holy place.
29 (For they had seen before with him in the city Trophimus an Ephesian, whom they supposed that Paul had brought into the temple.)
30 And all the city was moved, and the people ran together: and they took Paul, and drew him out of the temple: and forthwith the doors were shut.
31 And as they went about to kill him, tidings came unto the chief captain of the band, that all Jerusalem was in an uproar.
32 Who immediately took soldiers and centurions, and ran down unto them: and when they saw the chief captain and the soldiers, they left beating of Paul.
33 Then the chief captain came near, and took him, and commanded him to be bound with two chains; and demanded who he was, and what he had done.
34 And some cried one thing, some another, among the multitude: and when he could not know the certainty for the tumult, he commanded him to be carried into the castle.
35 And when he came upon the stairs, so it was, that he was borne of the soldiers for the violence of the people.
36 For the multitude of the people followed after, crying, Away with him.
37 And as Paul was to be led into the castle, he said unto the chief captain, May I speak unto thee? Who said, Canst thou speak Greek?
38 Art not thou that Egyptian, which before these days madest an uproar, and leddest out into the wilderness four thousand men that were murderers?
39 But Paul said, I am a man which am a Jew of Tarsus, a city in Cilicia, a citizen of no mean city: and, I beseech thee, suffer me to speak unto the people.
40 And when he had given him licence, Paul stood on the stairs, and beckoned with the hand unto the people. And when there was made a great silence, he spake unto them in the Hebrew tongue, saying,
## Acts Chapter 22
1 Men, brethren, and fathers, hear ye my defence which I make now unto you.
2 (And when they heard that he spake in the Hebrew tongue to them, they kept the more silence: and he saith,)
3 I am verily a man which am a Jew, born in Tarsus, a city in Cilicia, yet brought up in this city at the feet of Gamaliel, and taught according to the perfect manner of the law of the fathers, and was zealous toward God, as ye all are this day.
4 And I persecuted this way unto the death, binding and delivering into prisons both men and women.
5 As also the high priest doth bear me witness, and all the estate of the elders: from whom also I received letters unto the brethren, and went to Damascus, to bring them which were there bound unto Jerusalem, for to be punished.
6 And it came to pass, that, as I made my journey, and was come nigh unto Damascus about noon, suddenly there shone from heaven a great light round about me.
7 And I fell unto the ground, and heard a voice saying unto me, Saul, Saul, why persecutest thou me?
8 And I answered, Who art thou, Lord? And he said unto me, I am Jesus of Nazareth, whom thou persecutest.
9 And they that were with me saw indeed the light, and were afraid; but they heard not the voice of him that spake to me.
10 And I said, What shall I do, Lord? And the Lord said unto me, Arise, and go into Damascus; and there it shall be told thee of all things which are appointed for thee to do.
11 And when I could not see for the glory of that light, being led by the hand of them that were with me, I came into Damascus.
12 And one Ananias, a devout man according to the law, having a good report of all the Jews which dwelt there,
13 Came unto me, and stood, and said unto me, Brother Saul, receive thy sight. And the same hour I looked up upon him.
14 And he said, The God of our fathers hath chosen thee, that thou shouldest know his will, and see that Just One, and shouldest hear the voice of his mouth.
15 For thou shalt be his witness unto all men of what thou hast seen and heard.
16 And now why tarriest thou? arise, and be baptized, and wash away thy sins, calling on the name of the Lord.
17 And it came to pass, that, when I was come again to Jerusalem, even while I prayed in the temple, I was in a trance;
18 And saw him saying unto me, Make haste, and get thee quickly out of Jerusalem: for they will not receive thy testimony concerning me.
19 And I said, Lord, they know that I imprisoned and beat in every synagogue them that believed on thee:
20 And when the blood of thy martyr Stephen was shed, I also was standing by, and consenting unto his death, and kept the raiment of them that slew him.
21 And he said unto me, Depart: for I will send thee far hence unto the Gentiles.
22 And they gave him audience unto this word, and then lifted up their voices, and said, Away with such a fellow from the earth: for it is not fit that he should live.
23 And as they cried out, and cast off their clothes, and threw dust into the air,
24 The chief captain commanded him to be brought into the castle, and bade that he should be examined by scourging; that he might know wherefore they cried so against him.
25 And as they bound him with thongs, Paul said unto the centurion that stood by, Is it lawful for you to scourge a man that is a Roman, and uncondemned?
26 When the centurion heard that, he went and told the chief captain, saying, Take heed what thou doest: for this man is a Roman.
27 Then the chief captain came, and said unto him, Tell me, art thou a Roman? He said, Yea.
28 And the chief captain answered, With a great sum obtained I this freedom. And Paul said, But I was free born.
29 Then straightway they departed from him which should have examined him: and the chief captain also was afraid, after he knew that he was a Roman, and because he had bound him.
30 On the morrow, because he would have known the certainty wherefore he was accused of the Jews, he loosed him from his bands, and commanded the chief priests and all their council to appear, and brought Paul down, and set him before them.
## Acts Chapter 23
1 And Paul, earnestly beholding the council, said, Men and brethren, I have lived in all good conscience before God until this day.
2 And the high priest Ananias commanded them that stood by him to smite him on the mouth.
3 Then said Paul unto him, God shall smite thee, thou whited wall: for sittest thou to judge me after the law, and commandest me to be smitten contrary to the law?
4 And they that stood by said, Revilest thou God's high priest?
5 Then said Paul, I wist not, brethren, that he was the high priest: for it is written, Thou shalt not speak evil of the ruler of thy people.
6 But when Paul perceived that the one part were Sadducees, and the other Pharisees, he cried out in the council, Men and brethren, I am a Pharisee, the son of a Pharisee: of the hope and resurrection of the dead I am called in question.
7 And when he had so said, there arose a dissension between the Pharisees and the Sadducees: and the multitude was divided.
8 For the Sadducees say that there is no resurrection, neither angel, nor spirit: but the Pharisees confess both.
9 And there arose a great cry: and the scribes that were of the Pharisees' part arose, and strove, saying, We find no evil in this man: but if a spirit or an angel hath spoken to him, let us not fight against God.
10 And when there arose a great dissension, the chief captain, fearing lest Paul should have been pulled in pieces of them, commanded the soldiers to go down, and to take him by force from among them, and to bring him into the castle.
11 And the night following the Lord stood by him, and said, Be of good cheer, Paul: for as thou hast testified of me in Jerusalem, so must thou bear witness also at Rome.
12 And when it was day, certain of the Jews banded together, and bound themselves under a curse, saying that they would neither eat nor drink till they had killed Paul.
13 And they were more than forty which had made this conspiracy.
14 And they came to the chief priests and elders, and said, We have bound ourselves under a great curse, that we will eat nothing until we have slain Paul.
15 Now therefore ye with the council signify to the chief captain that he bring him down unto you to morrow, as though ye would enquire something more perfectly concerning him: and we, or ever he come near, are ready to kill him.
16 And when Paul's sister's son heard of their lying in wait, he went and entered into the castle, and told Paul.
17 Then Paul called one of the centurions unto him, and said, Bring this young man unto the chief captain: for he hath a certain thing to tell him.
18 So he took him, and brought him to the chief captain, and said, Paul the prisoner called me unto him, and prayed me to bring this young man unto thee, who hath something to say unto thee.
19 Then the chief captain took him by the hand, and went with him aside privately, and asked him, What is that thou hast to tell me?
20 And he said, The Jews have agreed to desire thee that thou wouldest bring down Paul to morrow into the council, as though they would enquire somewhat of him more perfectly.
21 But do not thou yield unto them: for there lie in wait for him of them more than forty men, which have bound themselves with an oath, that they will neither eat nor drink till they have killed him: and now are they ready, looking for a promise from thee.
22 So the chief captain then let the young man depart, and charged him, See thou tell no man that thou hast shewed these things to me.
23 And he called unto him two centurions, saying, Make ready two hundred soldiers to go to Caesarea, and horsemen threescore and ten, and spearmen two hundred, at the third hour of the night;
24 And provide them beasts, that they may set Paul on, and bring him safe unto Felix the governor.
25 And he wrote a letter after this manner:
26 Claudius Lysias unto the most excellent governor Felix sendeth greeting.
27 This man was taken of the Jews, and should have been killed of them: then came I with an army, and rescued him, having understood that he was a Roman.
28 And when I would have known the cause wherefore they accused him, I brought him forth into their council:
29 Whom I perceived to be accused of questions of their law, but to have nothing laid to his charge worthy of death or of bonds.
30 And when it was told me how that the Jews laid wait for the man, I sent straightway to thee, and gave commandment to his accusers also to say before thee what they had against him. Farewell.
31 Then the soldiers, as it was commanded them, took Paul, and brought him by night to Antipatris.
32 On the morrow they left the horsemen to go with him, and returned to the castle:
33 Who, when they came to Caesarea and delivered the epistle to the governor, presented Paul also before him.
34 And when the governor had read the letter, he asked of what province he was. And when he understood that he was of Cilicia;
35 I will hear thee, said he, when thine accusers are also come. And he commanded him to be kept in Herod's judgment hall.
## Acts Chapter 24
1 And after five days Ananias the high priest descended with the elders, and with a certain orator named Tertullus, who informed the governor against Paul.
2 And when he was called forth, Tertullus began to accuse him, saying, Seeing that by thee we enjoy great quietness, and that very worthy deeds are done unto this nation by thy providence,
3 We accept it always, and in all places, most noble Felix, with all thankfulness.
4 Notwithstanding, that I be not further tedious unto thee, I pray thee that thou wouldest hear us of thy clemency a few words.
5 For we have found this man a pestilent fellow, and a mover of sedition among all the Jews throughout the world, and a ringleader of the sect of the Nazarenes:
6 Who also hath gone about to profane the temple: whom we took, and would have judged according to our law.
7 But the chief captain Lysias came upon us, and with great violence took him away out of our hands,
8 Commanding his accusers to come unto thee: by examining of whom thyself mayest take knowledge of all these things, whereof we accuse him.
9 And the Jews also assented, saying that these things were so.
10 Then Paul, after that the governor had beckoned unto him to speak, answered, Forasmuch as I know that thou hast been of many years a judge unto this nation, I do the more cheerfully answer for myself:
11 Because that thou mayest understand, that there are yet but twelve days since I went up to Jerusalem for to worship.
12 And they neither found me in the temple disputing with any man, neither raising up the people, neither in the synagogues, nor in the city:
13 Neither can they prove the things whereof they now accuse me.
14 But this I confess unto thee, that after the way which they call heresy, so worship I the God of my fathers, believing all things which are written in the law and in the prophets:
15 And have hope toward God, which they themselves also allow, that there shall be a resurrection of the dead, both of the just and unjust.
16 And herein do I exercise myself, to have always a conscience void to offence toward God, and toward men.
17 Now after many years I came to bring alms to my nation, and offerings.
18 Whereupon certain Jews from Asia found me purified in the temple, neither with multitude, nor with tumult.
19 Who ought to have been here before thee, and object, if they had ought against me.
20 Or else let these same here say, if they have found any evil doing in me, while I stood before the council,
21 Except it be for this one voice, that I cried standing among them, Touching the resurrection of the dead I am called in question by you this day.
22 And when Felix heard these things, having more perfect knowledge of that way, he deferred them, and said, When Lysias the chief captain shall come down, I will know the uttermost of your matter.
23 And he commanded a centurion to keep Paul, and to let him have liberty, and that he should forbid none of his acquaintance to minister or come unto him.
24 And after certain days, when Felix came with his wife Drusilla, which was a Jewess, he sent for Paul, and heard him concerning the faith in Christ.
25 And as he reasoned of righteousness, temperance, and judgment to come, Felix trembled, and answered, Go thy way for this time; when I have a convenient season, I will call for thee.
26 He hoped also that money should have been given him of Paul, that he might loose him: wherefore he sent for him the oftener, and communed with him.
27 But after two years Porcius Festus came into Felix' room: and Felix, willing to shew the Jews a pleasure, left Paul bound.
## Acts Chapter 25
1 Now when Festus was come into the province, after three days he ascended from Caesarea to Jerusalem.
2 Then the high priest and the chief of the Jews informed him against Paul, and besought him,
3 And desired favour against him, that he would send for him to Jerusalem, laying wait in the way to kill him.
4 But Festus answered, that Paul should be kept at Caesarea, and that he himself would depart shortly thither.
5 Let them therefore, said he, which among you are able, go down with me, and accuse this man, if there be any wickedness in him.
6 And when he had tarried among them more than ten days, he went down unto Caesarea; and the next day sitting on the judgment seat commanded Paul to be brought.
7 And when he was come, the Jews which came down from Jerusalem stood round about, and laid many and grievous complaints against Paul, which they could not prove.
8 While he answered for himself, Neither against the law of the Jews, neither against the temple, nor yet against Caesar, have I offended any thing at all.
9 But Festus, willing to do the Jews a pleasure, answered Paul, and said, Wilt thou go up to Jerusalem, and there be judged of these things before me?
10 Then said Paul, I stand at Caesar's judgment seat, where I ought to be judged: to the Jews have I done no wrong, as thou very well knowest.
11 For if I be an offender, or have committed any thing worthy of death, I refuse not to die: but if there be none of these things whereof these accuse me, no man may deliver me unto them. I appeal unto Caesar.
12 Then Festus, when he had conferred with the council, answered, Hast thou appealed unto Caesar? unto Caesar shalt thou go.
13 And after certain days king Agrippa and Bernice came unto Caesarea to salute Festus.
14 And when they had been there many days, Festus declared Paul's cause unto the king, saying, There is a certain man left in bonds by Felix:
15 About whom, when I was at Jerusalem, the chief priests and the elders of the Jews informed me, desiring to have judgment against him.
16 To whom I answered, It is not the manner of the Romans to deliver any man to die, before that he which is accused have the accusers face to face, and have licence to answer for himself concerning the crime laid against him.
17 Therefore, when they were come hither, without any delay on the morrow I sat on the judgment seat, and commanded the man to be brought forth.
18 Against whom when the accusers stood up, they brought none accusation of such things as I supposed:
19 But had certain questions against him of their own superstition, and of one Jesus, which was dead, whom Paul affirmed to be alive.
20 And because I doubted of such manner of questions, I asked him whether he would go to Jerusalem, and there be judged of these matters.
21 But when Paul had appealed to be reserved unto the hearing of Augustus, I commanded him to be kept till I might send him to Caesar.
22 Then Agrippa said unto Festus, I would also hear the man myself. To morrow, said he, thou shalt hear him.
23 And on the morrow, when Agrippa was come, and Bernice, with great pomp, and was entered into the place of hearing, with the chief captains, and principal men of the city, at Festus' commandment Paul was brought forth.
24 And Festus said, King Agrippa, and all men which are here present with us, ye see this man, about whom all the multitude of the Jews have dealt with me, both at Jerusalem, and also here, crying that he ought not to live any longer.
25 But when I found that he had committed nothing worthy of death, and that he himself hath appealed to Augustus, I have determined to send him.
26 Of whom I have no certain thing to write unto my lord. Wherefore I have brought him forth before you, and specially before thee, O king Agrippa, that, after examination had, I might have somewhat to write.
27 For it seemeth to me unreasonable to send a prisoner, and not withal to signify the crimes laid against him.
## Acts Chapter 26
1 Then Agrippa said unto Paul, Thou art permitted to speak for thyself. Then Paul stretched forth the hand, and answered for himself:
2 I think myself happy, king Agrippa, because I shall answer for myself this day before thee touching all the things whereof I am accused of the Jews:
3 Especially because I know thee to be expert in all customs and questions which are among the Jews: wherefore I beseech thee to hear me patiently.
4 My manner of life from my youth, which was at the first among mine own nation at Jerusalem, know all the Jews;
5 Which knew me from the beginning, if they would testify, that after the most straitest sect of our religion I lived a Pharisee.
6 And now I stand and am judged for the hope of the promise made of God, unto our fathers:
7 Unto which promise our twelve tribes, instantly serving God day and night, hope to come. For which hope's sake, king Agrippa, I am accused of the Jews.
8 Why should it be thought a thing incredible with you, that God should raise the dead?
9 I verily thought with myself, that I ought to do many things contrary to the name of Jesus of Nazareth.
10 Which thing I also did in Jerusalem: and many of the saints did I shut up in prison, having received authority from the chief priests; and when they were put to death, I gave my voice against them.
11 And I punished them oft in every synagogue, and compelled them to blaspheme; and being exceedingly mad against them, I persecuted them even unto strange cities.
12 Whereupon as I went to Damascus with authority and commission from the chief priests,
13 At midday, O king, I saw in the way a light from heaven, above the brightness of the sun, shining round about me and them which journeyed with me.
14 And when we were all fallen to the earth, I heard a voice speaking unto me, and saying in the Hebrew tongue, Saul, Saul, why persecutest thou me? it is hard for thee to kick against the pricks.
15 And I said, Who art thou, Lord? And he said, I am Jesus whom thou persecutest.
16 But rise, and stand upon thy feet: for I have appeared unto thee for this purpose, to make thee a minister and a witness both of these things which thou hast seen, and of those things in the which I will appear unto thee;
17 Delivering thee from the people, and from the Gentiles, unto whom now I send thee,
18 To open their eyes, and to turn them from darkness to light, and from the power of Satan unto God, that they may receive forgiveness of sins, and inheritance among them which are sanctified by faith that is in me.
19 Whereupon, O king Agrippa, I was not disobedient unto the heavenly vision:
20 But shewed first unto them of Damascus, and at Jerusalem, and throughout all the coasts of Judaea, and then to the Gentiles, that they should repent and turn to God, and do works meet for repentance.
21 For these causes the Jews caught me in the temple, and went about to kill me.
22 Having therefore obtained help of God, I continue unto this day, witnessing both to small and great, saying none other things than those which the prophets and Moses did say should come:
23 That Christ should suffer, and that he should be the first that should rise from the dead, and should shew light unto the people, and to the Gentiles.
24 And as he thus spake for himself, Festus said with a loud voice, Paul, thou art beside thyself; much learning doth make thee mad.
25 But he said, I am not mad, most noble Festus; but speak forth the words of truth and soberness.
26 For the king knoweth of these things, before whom also I speak freely: for I am persuaded that none of these things are hidden from him; for this thing was not done in a corner.
27 King Agrippa, believest thou the prophets? I know that thou believest.
28 Then Agrippa said unto Paul, Almost thou persuadest me to be a Christian.
29 And Paul said, I would to God, that not only thou, but also all that hear me this day, were both almost, and altogether such as I am, except these bonds.
30 And when he had thus spoken, the king rose up, and the governor, and Bernice, and they that sat with them:
31 And when they were gone aside, they talked between themselves, saying, This man doeth nothing worthy of death or of bonds.
32 Then said Agrippa unto Festus, This man might have been set at liberty, if he had not appealed unto Caesar.
## Acts Chapter 27
1 And when it was determined that we should sail into Italy, they delivered Paul and certain other prisoners unto one named Julius, a centurion of Augustus' band.
2 And entering into a ship of Adramyttium, we launched, meaning to sail by the coasts of Asia; one Aristarchus, a Macedonian of Thessalonica, being with us.
3 And the next day we touched at Sidon. And Julius courteously entreated Paul, and gave him liberty to go unto his friends to refresh himself.
4 And when we had launched from thence, we sailed under Cyprus, because the winds were contrary.
5 And when we had sailed over the sea of Cilicia and Pamphylia, we came to Myra, a city of Lycia.
6 And there the centurion found a ship of Alexandria sailing into Italy; and he put us therein.
7 And when we had sailed slowly many days, and scarce were come over against Cnidus, the wind not suffering us, we sailed under Crete, over against Salmone;
8 And, hardly passing it, came unto a place which is called The fair havens; nigh whereunto was the city of Lasea.
9 Now when much time was spent, and when sailing was now dangerous, because the fast was now already past, Paul admonished them,
10 And said unto them, Sirs, I perceive that this voyage will be with hurt and much damage, not only of the lading and ship, but also of our lives.
11 Nevertheless the centurion believed the master and the owner of the ship, more than those things which were spoken by Paul.
12 And because the haven was not commodious to winter in, the more part advised to depart thence also, if by any means they might attain to Phenice, and there to winter; which is an haven of Crete, and lieth toward the south west and north west.
13 And when the south wind blew softly, supposing that they had obtained their purpose, loosing thence, they sailed close by Crete.
14 But not long after there arose against it a tempestuous wind, called Euroclydon.
15 And when the ship was caught, and could not bear up into the wind, we let her drive.
16 And running under a certain island which is called Clauda, we had much work to come by the boat:
17 Which when they had taken up, they used helps, undergirding the ship; and, fearing lest they should fall into the quicksands, strake sail, and so were driven.
18 And we being exceedingly tossed with a tempest, the next day they lightened the ship;
19 And the third day we cast out with our own hands the tackling of the ship.
20 And when neither sun nor stars in many days appeared, and no small tempest lay on us, all hope that we should be saved was then taken away.
21 But after long abstinence Paul stood forth in the midst of them, and said, Sirs, ye should have hearkened unto me, and not have loosed from Crete, and to have gained this harm and loss.
22 And now I exhort you to be of good cheer: for there shall be no loss of any man's life among you, but of the ship.
23 For there stood by me this night the angel of God, whose I am, and whom I serve,
24 Saying, Fear not, Paul; thou must be brought before Caesar: and, lo, God hath given thee all them that sail with thee.
25 Wherefore, sirs, be of good cheer: for I believe God, that it shall be even as it was told me.
26 Howbeit we must be cast upon a certain island.
27 But when the fourteenth night was come, as we were driven up and down in Adria, about midnight the shipmen deemed that they drew near to some country;
28 And sounded, and found it twenty fathoms: and when they had gone a little further, they sounded again, and found it fifteen fathoms.
29 Then fearing lest we should have fallen upon rocks, they cast four anchors out of the stern, and wished for the day.
30 And as the shipmen were about to flee out of the ship, when they had let down the boat into the sea, under colour as though they would have cast anchors out of the foreship,
31 Paul said to the centurion and to the soldiers, Except these abide in the ship, ye cannot be saved.
32 Then the soldiers cut off the ropes of the boat, and let her fall off.
33 And while the day was coming on, Paul besought them all to take meat, saying, This day is the fourteenth day that ye have tarried and continued fasting, having taken nothing.
34 Wherefore I pray you to take some meat: for this is for your health: for there shall not an hair fall from the head of any of you.
35 And when he had thus spoken, he took bread, and gave thanks to God in presence of them all: and when he had broken it, he began to eat.
36 Then were they all of good cheer, and they also took some meat.
37 And we were in all in the ship two hundred threescore and sixteen souls.
38 And when they had eaten enough, they lightened the ship, and cast out the wheat into the sea.
39 And when it was day, they knew not the land: but they discovered a certain creek with a shore, into the which they were minded, if it were possible, to thrust in the ship.
40 And when they had taken up the anchors, they committed themselves unto the sea, and loosed the rudder bands, and hoised up the mainsail to the wind, and made toward shore.
41 And falling into a place where two seas met, they ran the ship aground; and the forepart stuck fast, and remained unmoveable, but the hinder part was broken with the violence of the waves.
42 And the soldiers' counsel was to kill the prisoners, lest any of them should swim out, and escape.
43 But the centurion, willing to save Paul, kept them from their purpose; and commanded that they which could swim should cast themselves first into the sea, and get to land:
44 And the rest, some on boards, and some on broken pieces of the ship. And so it came to pass, that they escaped all safe to land.
## Acts Chapter 28
1 And when they were escaped, then they knew that the island was called Melita.
2 And the barbarous people shewed us no little kindness: for they kindled a fire, and received us every one, because of the present rain, and because of the cold.
3 And when Paul had gathered a bundle of sticks, and laid them on the fire, there came a viper out of the heat, and fastened on his hand.
4 And when the barbarians saw the venomous beast hang on his hand, they said among themselves, No doubt this man is a murderer, whom, though he hath escaped the sea, yet vengeance suffereth not to live.
5 And he shook off the beast into the fire, and felt no harm.
6 Howbeit they looked when he should have swollen, or fallen down dead suddenly: but after they had looked a great while, and saw no harm come to him, they changed their minds, and said that he was a god.
7 In the same quarters were possessions of the chief man of the island, whose name was Publius; who received us, and lodged us three days courteously.
8 And it came to pass, that the father of Publius lay sick of a fever and of a bloody flux: to whom Paul entered in, and prayed, and laid his hands on him, and healed him.
9 So when this was done, others also, which had diseases in the island, came, and were healed:
10 Who also honoured us with many honours; and when we departed, they laded us with such things as were necessary.
11 And after three months we departed in a ship of Alexandria, which had wintered in the isle, whose sign was Castor and Pollux.
12 And landing at Syracuse, we tarried there three days.
13 And from thence we fetched a compass, and came to Rhegium: and after one day the south wind blew, and we came the next day to Puteoli:
14 Where we found brethren, and were desired to tarry with them seven days: and so we went toward Rome.
15 And from thence, when the brethren heard of us, they came to meet us as far as Appii forum, and The three taverns: whom when Paul saw, he thanked God, and took courage.
16 And when we came to Rome, the centurion delivered the prisoners to the captain of the guard: but Paul was suffered to dwell by himself with a soldier that kept him.
17 And it came to pass, that after three days Paul called the chief of the Jews together: and when they were come together, he said unto them, Men and brethren, though I have committed nothing against the people, or customs of our fathers, yet was I delivered prisoner from Jerusalem into the hands of the Romans.
18 Who, when they had examined me, would have let me go, because there was no cause of death in me.
19 But when the Jews spake against it, I was constrained to appeal unto Caesar; not that I had ought to accuse my nation of.
20 For this cause therefore have I called for you, to see you, and to speak with you: because that for the hope of Israel I am bound with this chain.
21 And they said unto him, We neither received letters out of Judaea concerning thee, neither any of the brethren that came shewed or spake any harm of thee.
22 But we desire to hear of thee what thou thinkest: for as concerning this sect, we know that every where it is spoken against.
23 And when they had appointed him a day, there came many to him into his lodging; to whom he expounded and testified the kingdom of God, persuading them concerning Jesus, both out of the law of Moses, and out of the prophets, from morning till evening.
24 And some believed the things which were spoken, and some believed not.
25 And when they agreed not among themselves, they departed, after that Paul had spoken one word, Well spake the Holy Ghost by Esaias the prophet unto our fathers,
26 Saying, Go unto this people, and say, Hearing ye shall hear, and shall not understand; and seeing ye shall see, and not perceive:
27 For the heart of this people is waxed gross, and their ears are dull of hearing, and their eyes have they closed; lest they should see with their eyes, and hear with their ears, and understand with their heart, and should be converted, and I should heal them.
28 Be it known therefore unto you, that the salvation of God is sent unto the Gentiles, and that they will hear it.
29 And when he had said these words, the Jews departed, and had great reasoning among themselves.
30 And Paul dwelt two whole years in his own hired house, and received all that came in unto him,
31 Preaching the kingdom of God, and teaching those things which concern the Lord Jesus Christ, with all confidence, no man forbidding him.
## eof
| 63.815977 | 313 | 0.77363 | eng_Latn | 0.999996 |
14527ceda8fd5f769fb1d21116975ce0792b42ed | 4,620 | md | Markdown | doc/architecture.md | PeterVondras/DAS | 72dd5223280ec121f998b4932cc6bf7e83187d46 | [
"MIT"
] | null | null | null | doc/architecture.md | PeterVondras/DAS | 72dd5223280ec121f998b4932cc6bf7e83187d46 | [
"MIT"
] | null | null | null | doc/architecture.md | PeterVondras/DAS | 72dd5223280ec121f998b4932cc6bf7e83187d46 | [
"MIT"
] | null | null | null | # DANS General Architecture
Here we talk about how the *DANS* library functions as a whole and can be extended in the future. NOTE that for many classes, there is an Abstract base class. This is done both for testing and also to ensure that new, different D-Stages and modules can be used in the future.
The overall goal is that an Application or a DStage Scheduler can dispatch Jobs to any DStage which can in turn forward the Job on to another without the knowledge or consent of the originator.
## [Jobs](../common/dstage/job.h)
Jobs are the way that work is communicated to a D-Stage. All D-Stages accept unique pointers to Jobs as work input. It is common to convert unique pointers to Jobs to shared pointers temporarily as a duplication method.
### Jobs have a:
* *Job ID* which will be shared by any duplicates and is used to refer to the task across priority levels.
* *Priority* which denotes this specific duplicate job's priority.
* *Duplication* - deprecated
* Templated *Job Data* object which can be custom to every D-Stage. Job Data is used for job specific data.
### Notes about Jobs
* Note that the *Job Data* object is an excellent place to store thread safe, shared data as shared pointers or duplicate specific data otherwise.
* It has been common to store a shared pointer to a PurgeState (an object that tracks whether a job has been marked purged) as part of every Job Data type. It might make sense to add this to all Jobs by removing it from the *Job Data* object and storing it with the *Job ID* and *Priority,* but it is unclear if all D-Stages will use it as vitally.
* It is important that unique pointers to Jobs clean up any associated resource with that Job when they go out of scope. This is the case as it is the assumption of the unique pointer semantics. An example where this takes place is when Jobs are Purged from a Multiqueue as the Multiqueue has no idea how a specific Job type is removed and therefore relies on the Job's destructor.
## [BaseDStage](../common/dstage/basedstage.h)
The BaseDStage *abstract* class is a typed class. The generic type denotes the type of Job that this DStage accepts, which we will call the **Input Type**. The reason for this abstract class to exist is so that any DStage can have a reference to any other as long as it conforms to the correct Job Input Type, regardless of whether it follows the general form that the rest of the library uses.
## [DStage](../common/dstage/dstage.h)
The DStage class is derived class which adds a second type, the **Input Type**. This is confusing at first, but is important in that either another DStage or possibly an Application will be sending Jobs to a DStage. The receiving DStage will then duplicate and enqueue the Job. The duplication process might affect the way that an Input Job is represented. For example, an Input Job might be a list of IP addresses which might be mapped after duplication to multiple Input Jobs which each have a single IP address. A DStage is also not required to have the Input Type differ from the Input Type.
DStages contain a unique pointer of a BaseDispatcher, BaseMultiqueue and a BaseScheduler. The lifetime of the three is managed by the BStage. The only additional function of the DStage at this layer is to forward Dispatch requests to the BaseDispatcher and Purge requests to the BaseMultiQueue and the BaseScheduler.
## [Dispatcher](../common/dstage/dispatcher.h)
Dispatcher inherits from BaseDispatcher. It is responsible for linking a BaseMultiqueue for a dispatchers use. It also calculates the amount of duplication that a derived Dispatcher class might use. This second functionality it a flaw as it is a minimal calculation and does not add much value. It will likely be removed in the future. Derived sub
## [Multiqueue](../common/dstage/multiqueue.h)
The MultiQueue is a completely thread safe class which will allow queuing of any number of predefined Jobs. All operations, including Purge, are constant time amortized cost. Additionally, Dequeue is a blocking call which will block indefinitely until there is a job to Dequeue without spinning.
## [Scheduler](../common/dstage/scheduler.h)
The Scheduler inherits from BaseScheduler. It is responsible for linking a BaseMultiqueue and creating a pool of threads for each Priority level to schedule Jobs. It is up to derived classes of Scheduler to override the StartScheduling() in order to give those threads direction. It is also up to the derived class to release those threads from blocking calls when their destructor is called via calling MultiQueue.Release() or some of means.
| 100.434783 | 595 | 0.788745 | eng_Latn | 0.99989 |
145280e1d4718b6fc520bf5c00f696bdadb38b04 | 77 | md | Markdown | references/README.md | lykmapipo/data-science-learning | a8d07147b8761a60fafc30e7bdf68d9d4ef93602 | [
"MIT"
] | 5 | 2021-05-09T08:45:22.000Z | 2021-09-17T09:21:58.000Z | references/README.md | lykmapipo/data-science-learning | a8d07147b8761a60fafc30e7bdf68d9d4ef93602 | [
"MIT"
] | null | null | null | references/README.md | lykmapipo/data-science-learning | a8d07147b8761a60fafc30e7bdf68d9d4ef93602 | [
"MIT"
] | 1 | 2021-06-05T07:13:54.000Z | 2021-06-05T07:13:54.000Z | Data dictionaries, manuals, cheetsheets, and all other explanatory materials. | 77 | 77 | 0.844156 | eng_Latn | 0.963175 |
1453498fca1a3720255a48a1b4173e9115d2c2ec | 1,277 | md | Markdown | packages/icons/CHANGELOG.md | wkillerud/jokul | e82598f4998c1860d2a127e046ed347de4a0d5d2 | [
"MIT"
] | 38 | 2019-06-18T10:52:10.000Z | 2022-03-07T18:58:36.000Z | packages/icons/CHANGELOG.md | wkillerud/jokul | e82598f4998c1860d2a127e046ed347de4a0d5d2 | [
"MIT"
] | 1,761 | 2019-06-18T08:31:06.000Z | 2022-03-31T13:46:26.000Z | packages/icons/CHANGELOG.md | wkillerud/jokul | e82598f4998c1860d2a127e046ed347de4a0d5d2 | [
"MIT"
] | 45 | 2019-06-19T10:37:19.000Z | 2022-02-21T20:27:02.000Z | # Change Log
All notable changes to this project will be documented in this file.
See [Conventional Commits](https://conventionalcommits.org) for commit guidelines.
## 4.0.0 (2021-10-21)
### chore
- updates dependencies ([b975200](https://github.com/fremtind/jokul/commit/b97520045c02e4bcb44ebde159c60a7dff7f01d6))
### BREAKING CHANGES
- depends on jkl-core v8 with breaking changes
## 3.0.0 (2021-07-09)
### Documentation
- use new typographic scale in examples ([b442f59](https://github.com/fremtind/jokul/commit/b442f59192d257741967156b12c468a8b734fbda))
### BREAKING CHANGES
- Depends on jkl-core version with breaking changes
## 2.0.0 (2021-07-06)
### chore
- bump major version ([559a384](https://github.com/fremtind/jokul/commit/559a384a5315931ad2ea7acc8328b383acbdbd8b))
### BREAKING CHANGES
- Now depends on jkl-core 6.0.0, which introduces breaking changes
## 1.2.0 (2021-03-25)
### Features
- **icons:** add title and desc as props ([3ed96e6](https://github.com/fremtind/jokul/commit/3ed96e65072b65bc18cd17011c0dbed590a3b35e)), closes [#1811](https://github.com/fremtind/jokul/issues/1811)
## 1.1.0 (2020-08-13)
### Features
- add icons package ([24c9748](https://github.com/fremtind/jokul/commit/24c974803b7d705d8a22cec719dbf3873373781f))
| 27.170213 | 200 | 0.750979 | yue_Hant | 0.377887 |
14548f54e7bf22940b7292bdf1fba48d442d3755 | 2,559 | md | Markdown | CHANGELOG.md | ryanhossain9797/gazetteer-entity-parser | 04eafb92a6ccd377b0048b1f6307747f5110e225 | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] | 14 | 2018-10-03T15:59:43.000Z | 2021-03-26T14:28:59.000Z | CHANGELOG.md | ryanhossain9797/gazetteer-entity-parser | 04eafb92a6ccd377b0048b1f6307747f5110e225 | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] | 3 | 2019-01-07T15:35:24.000Z | 2020-03-14T22:30:47.000Z | CHANGELOG.md | ryanhossain9797/gazetteer-entity-parser | 04eafb92a6ccd377b0048b1f6307747f5110e225 | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] | 18 | 2019-11-21T00:35:11.000Z | 2021-05-04T10:22:30.000Z | # Changelog
All notable changes to this project will be documented in this file.
## [Unreleased]
### Changed
- Remove the `Result` in the `run` API [#43](https://github.com/snipsco/gazetteer-entity-parser/pull/43)
- Consume the `Parser` object during injection [#43](https://github.com/snipsco/gazetteer-entity-parser/pull/43)
- Improve the memory footprint of `ResolvedSymbolTable` [#43](https://github.com/snipsco/gazetteer-entity-parser/pull/43)
## [0.8.0] - 2019-08-27
### Changed
- Add `max_alternatives` parameter to the `Parser::run` API [#39](https://github.com/snipsco/gazetteer-entity-parser/pull/39)
- Add `alternatives` attribute in `ParsedValue` [#39](https://github.com/snipsco/gazetteer-entity-parser/pull/39)
- Switch `matched_value` and `raw_value` [#39](https://github.com/snipsco/gazetteer-entity-parser/pull/39)
- Group `resolved_value` and `matched_value` in a dedicated `ResolvedValue` object [#39](https://github.com/snipsco/gazetteer-entity-parser/pull/39)
## [0.7.2] - 2019-07-19
### Fixed
- Make `LicenseInfo` public [#38](https://github.com/snipsco/gazetteer-entity-parser/pull/38)
## [0.7.1] - 2019-07-18
### Added
- Add a license file to the gazetteer entity parser [#36](https://github.com/snipsco/gazetteer-entity-parser/pull/36)
## [0.7.0] - 2019-04-16
### Added
- Add API to prepend entity values [#31](https://github.com/snipsco/gazetteer-entity-parser/pull/31)
- Add matched value in API output [#32](https://github.com/snipsco/gazetteer-entity-parser/pull/32)
## [0.6.0] - 2018-11-09
### Changed
- Optimize memory usage [#27](https://github.com/snipsco/gazetteer-entity-parser/pull/27)
- Simpler pattern for errors [#27](https://github.com/snipsco/gazetteer-entity-parser/pull/27)
## [0.5.1] - 2018-10-15
### Changed
- Fix bug affecting the backward expansion of possible matches starting with stop words [#25](https://github.com/snipsco/gazetteer-entity-parser/pull/25)
## [0.5.0] - 2018-10-01
### Changed
- Clearer `ParserBuilder`'s API
[0.8.0]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.7.2...0.8.0
[0.7.2]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.7.1...0.7.2
[0.7.1]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.7.0...0.7.1
[0.7.0]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.6.0...0.7.0
[0.6.0]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.5.1...0.6.0
[0.5.1]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.5.0...0.5.1
[0.5.0]: https://github.com/snipsco/gazetteer-entity-parser/compare/0.4.2...0.5.0
| 51.18 | 153 | 0.722939 | yue_Hant | 0.399171 |
14558a0bc85d4d9364218bfb08a644839a37651c | 1,479 | md | Markdown | distros/CentOS/7/README.md | bonczj/log-aggregation-cpsd | a3a7781b61702b2916afd5e945b88c3a55cd3cad | [
"Apache-2.0"
] | null | null | null | distros/CentOS/7/README.md | bonczj/log-aggregation-cpsd | a3a7781b61702b2916afd5e945b88c3a55cd3cad | [
"Apache-2.0"
] | null | null | null | distros/CentOS/7/README.md | bonczj/log-aggregation-cpsd | a3a7781b61702b2916afd5e945b88c3a55cd3cad | [
"Apache-2.0"
] | null | null | null | # CentOS 7 Packaging
The installation script requires the use of the 'jq' CLI. On CentOS 7,
the jq command is only available via Extra Packages for Enterprise Linux (EPEL)
on CentOS. Manual instructions for enabling EPEL can be found at
[https://fedoraproject.org/wiki/EPEL]. For CentOS 7, this is as easy as
running the command *yum install epel-release*.
```
Install EPEL
$ yum install epel-release
Install jq dependency
$ yum install jq
Install the FluentBit daemon
$ rpm -Uvh td-agent-bit-0.11.3-1.x86_64.rpm
Copy the FluentBit configuration for docker
$ cp [docker-log-aggregation]/etc/td-agent-bit/td-agent-bit.conf /etc/td-agent-bit/td-agent-bit.conf
Update docker daemon to always use the fluentd log driver
$ cat daemon.json
{
"storage-driver": "devicemapper",
"storage-opts": [
"dm.thinpooldev=/dev/mapper/docker-thinpool",
"dm.use_deferred_removal=true",
"dm.use_deferred_deletion=true"
]
}
$ cat daemon-log-driver.json
{
"log-driver": "fluentd"
}
$ jq -s add daemon.json daemon-log-driver.json
{
"storage-driver": "devicemapper",
"storage-opts": [
"dm.thinpooldev=/dev/mapper/docker-thinpool",
"dm.use_deferred_removal=true",
"dm.use_deferred_deletion=true"
],
"log-driver": "fluentd"
}
$ systemctl restart docker.service
Enable and start the docker-log-aggregation systemd service
Enable and start the FluentBit daemon service
$ systemctl enable td-agent-bit.service
$ systemctl start td-agent-bit.service
``` | 27.388889 | 100 | 0.739013 | eng_Latn | 0.644806 |
1455ce9c4205b276bbe5a7a3e28b123b73f5e2e3 | 29,753 | md | Markdown | rds/api-reference/obtaining-a-db-instance-list-(v1).md | cici-2019/docs | 085983e9753f7378cc735730d7838964aab8adfe | [
"Apache-2.0"
] | null | null | null | rds/api-reference/obtaining-a-db-instance-list-(v1).md | cici-2019/docs | 085983e9753f7378cc735730d7838964aab8adfe | [
"Apache-2.0"
] | null | null | null | rds/api-reference/obtaining-a-db-instance-list-(v1).md | cici-2019/docs | 085983e9753f7378cc735730d7838964aab8adfe | [
"Apache-2.0"
] | null | null | null | # Obtaining a DB Instance List<a name="en-us_topic_0056890053"></a>
## Function<a name="section36524518102048"></a>
This API is used to obtain a DB instance list.
## URI<a name="section51263775102048"></a>
- URI format
PATH: /v1.0/\{project\_id\}/instances
Method: GET
- Parameter description
**Table 1** Parameter description
<a name="table10271366102048"></a>
<table><thead align="left"><tr id="row47701174102048"><th class="cellrowborder" valign="top" width="21.029999999999998%" id="mcps1.2.4.1.1"><p id="p4909390317443"><a name="p4909390317443"></a><a name="p4909390317443"></a><strong id="b84235270691445_1"><a name="b84235270691445_1"></a><a name="b84235270691445_1"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="28.73%" id="mcps1.2.4.1.2"><p id="p2043144817443"><a name="p2043144817443"></a><a name="p2043144817443"></a><strong id="b842352706102346_1"><a name="b842352706102346_1"></a><a name="b842352706102346_1"></a>Mandatory</strong></p>
</th>
<th class="cellrowborder" valign="top" width="50.239999999999995%" id="mcps1.2.4.1.3"><p id="p6346699117443"><a name="p6346699117443"></a><a name="p6346699117443"></a><strong id="b842352706163417_1"><a name="b842352706163417_1"></a><a name="b842352706163417_1"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row105028141826"><td class="cellrowborder" valign="top" width="21.029999999999998%" headers="mcps1.2.4.1.1 "><p id="p13174559113628"><a name="p13174559113628"></a><a name="p13174559113628"></a>project_id</p>
</td>
<td class="cellrowborder" valign="top" width="28.73%" headers="mcps1.2.4.1.2 "><p id="p60506382113628"><a name="p60506382113628"></a><a name="p60506382113628"></a>Yes</p>
</td>
<td class="cellrowborder" valign="top" width="50.239999999999995%" headers="mcps1.2.4.1.3 "><p id="p2069905113628"><a name="p2069905113628"></a><a name="p2069905113628"></a>Specifies the project ID of a tenant in a region.</p>
</td>
</tr>
</tbody>
</table>
- Restrictions
Currently, only the DB engines MySQL and PostgreSQL are supported by the API.
## Request<a name="section7261641113422"></a>
None
## Normal Response<a name="section13572792102048"></a>
- Parameter description
**Table 2** Parameter description
<a name="table22623598113753"></a>
<table><thead align="left"><tr id="row17747370113753"><th class="cellrowborder" valign="top" width="27%" id="mcps1.2.4.1.1"><p id="p28250852113753"><a name="p28250852113753"></a><a name="p28250852113753"></a><strong id="b84235270691445_5"><a name="b84235270691445_5"></a><a name="b84235270691445_5"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="40.93%" id="mcps1.2.4.1.2"><p id="p29359431113817"><a name="p29359431113817"></a><a name="p29359431113817"></a><strong id="b842352706164541_1"><a name="b842352706164541_1"></a><a name="b842352706164541_1"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="32.07%" id="mcps1.2.4.1.3"><p id="p29303715113817"><a name="p29303715113817"></a><a name="p29303715113817"></a><strong id="b842352706163417_5"><a name="b842352706163417_5"></a><a name="b842352706163417_5"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row60503790113753"><td class="cellrowborder" valign="top" width="27%" headers="mcps1.2.4.1.1 "><p id="p424441111380"><a name="p424441111380"></a><a name="p424441111380"></a>instances</p>
</td>
<td class="cellrowborder" valign="top" width="40.93%" headers="mcps1.2.4.1.2 "><p id="p825302311380"><a name="p825302311380"></a><a name="p825302311380"></a>List data structure. For details, see <a href="#table13892167113923">Table 4</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p53074421114057"><a name="p53074421114057"></a><a name="p53074421114057"></a>Indicates the DB instance information.</p>
</td>
</tr>
</tbody>
</table>
**Table 3** instances field data structure description
<a name="table2798610317111"></a>
<table><thead align="left"><tr id="row2769032417111"><th class="cellrowborder" valign="top" width="27.1%" id="mcps1.2.4.1.1"><p id="p2832381017111"><a name="p2832381017111"></a><a name="p2832381017111"></a><strong id="b84235270691445_7"><a name="b84235270691445_7"></a><a name="b84235270691445_7"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="40.83%" id="mcps1.2.4.1.2"><p id="p1252728417111"><a name="p1252728417111"></a><a name="p1252728417111"></a><strong id="b842352706164541_3"><a name="b842352706164541_3"></a><a name="b842352706164541_3"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="32.07%" id="mcps1.2.4.1.3"><p id="p807710717111"><a name="p807710717111"></a><a name="p807710717111"></a><strong id="b842352706163417_7"><a name="b842352706163417_7"></a><a name="b842352706163417_7"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row5026592617111"><td class="cellrowborder" valign="top" width="27.1%" headers="mcps1.2.4.1.1 "><p id="p4500821417111"><a name="p4500821417111"></a><a name="p4500821417111"></a>instance</p>
</td>
<td class="cellrowborder" valign="top" width="40.83%" headers="mcps1.2.4.1.2 "><p id="p2178669817111"><a name="p2178669817111"></a><a name="p2178669817111"></a>Dictionary data structure. For details, see <a href="#table13892167113923">Table 4</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p4481123517111"><a name="p4481123517111"></a><a name="p4481123517111"></a>Indicates the DB instance information.</p>
</td>
</tr>
</tbody>
</table>
**Table 4** instance field data structure description
<a name="table13892167113923"></a>
<table><thead align="left"><tr id="row20191590113923"><th class="cellrowborder" valign="top" width="27.29%" id="mcps1.2.4.1.1"><p id="p24906070113923"><a name="p24906070113923"></a><a name="p24906070113923"></a><strong id="b84235270691445_9"><a name="b84235270691445_9"></a><a name="b84235270691445_9"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="40.64%" id="mcps1.2.4.1.2"><p id="p37775651113940"><a name="p37775651113940"></a><a name="p37775651113940"></a><strong id="b842352706164541_5"><a name="b842352706164541_5"></a><a name="b842352706164541_5"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="32.07%" id="mcps1.2.4.1.3"><p id="p39928854113940"><a name="p39928854113940"></a><a name="p39928854113940"></a><strong id="b842352706163417_9"><a name="b842352706163417_9"></a><a name="b842352706163417_9"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row19159393113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p1700482113933"><a name="p1700482113933"></a><a name="p1700482113933"></a>status</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p3521345113933"><a name="p3521345113933"></a><a name="p3521345113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p16793553113933"><a name="p16793553113933"></a><a name="p16793553113933"></a>Indicates the DB instance status.</p>
<div class="p" id="p16231005500"><a name="p16231005500"></a><a name="p16231005500"></a>Value:<a name="ul3066104695748"></a><a name="ul3066104695748"></a><ul id="ul3066104695748"><li>If the value is <strong id="b84235270616547_1"><a name="b84235270616547_1"></a><a name="b84235270616547_1"></a>BUILD</strong>, the instance is being created.</li><li>If the value is <strong id="b842352706165415"><a name="b842352706165415"></a><a name="b842352706165415"></a>ACTIVE</strong>, the instance is normal.</li><li>If the value is <strong id="b842352706165427"><a name="b842352706165427"></a><a name="b842352706165427"></a>FAILED</strong>, the instance is abnormal.</li><li>If the value is <strong id="b84235270616547_3"><a name="b84235270616547_3"></a><a name="b84235270616547_3"></a>MODIFYING</strong>, the instance is being scaled up.</li><li>If the value is <strong id="b84235270616547_5"><a name="b84235270616547_5"></a><a name="b84235270616547_5"></a>REBOOTING</strong>, the instance is being rebooted.</li><li>If the value is <strong id="b84235270616547_7"><a name="b84235270616547_7"></a><a name="b84235270616547_7"></a>RESTORING</strong>, the instance is being restored.</li></ul>
</div>
</td>
</tr>
<tr id="row20624439113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p18100570113933"><a name="p18100570113933"></a><a name="p18100570113933"></a>name</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p56860035113933"><a name="p56860035113933"></a><a name="p56860035113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p42260084113933"><a name="p42260084113933"></a><a name="p42260084113933"></a>Indicates the DB instance name.</p>
</td>
</tr>
<tr id="row51007855113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p514774113933"><a name="p514774113933"></a><a name="p514774113933"></a>links</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p41696720113933"><a name="p41696720113933"></a><a name="p41696720113933"></a>List data structure. For details, see <a href="#table26919596115413">Table 5</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p21991179113933"><a name="p21991179113933"></a><a name="p21991179113933"></a>Indicates the link address.</p>
</td>
</tr>
<tr id="row18449512113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p36455087113933"><a name="p36455087113933"></a><a name="p36455087113933"></a>id</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p72034113933"><a name="p72034113933"></a><a name="p72034113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p5834831113933"><a name="p5834831113933"></a><a name="p5834831113933"></a>Indicates the DB instance ID.</p>
</td>
</tr>
<tr id="row56351242113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p2859292113933"><a name="p2859292113933"></a><a name="p2859292113933"></a>volume</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p30276081113933"><a name="p30276081113933"></a><a name="p30276081113933"></a>Dictionary data structure. For details, see <a href="#table47858865115627">Table 6</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p36443511113933"><a name="p36443511113933"></a><a name="p36443511113933"></a>Indicates the volume information.</p>
</td>
</tr>
<tr id="row878722113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p66243285113933"><a name="p66243285113933"></a><a name="p66243285113933"></a>flavor</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p64105908113933"><a name="p64105908113933"></a><a name="p64105908113933"></a>Dictionary data structure. For details, see <a href="#table45121734115759">Table 7</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p25196092113933"><a name="p25196092113933"></a><a name="p25196092113933"></a>Indicates the DB instance specifications.</p>
</td>
</tr>
<tr id="row9224457113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p27617556113933"><a name="p27617556113933"></a><a name="p27617556113933"></a>datastore</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p22429540113933"><a name="p22429540113933"></a><a name="p22429540113933"></a>Dictionary data structure. For details, see <a href="#table25266871114925">Table 8</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p4853461113933"><a name="p4853461113933"></a><a name="p4853461113933"></a>Indicates the database information.</p>
</td>
</tr>
<tr id="row40203164113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p57586062113933"><a name="p57586062113933"></a><a name="p57586062113933"></a>region</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p33959480113933"><a name="p33959480113933"></a><a name="p33959480113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p66363387113933"><a name="p66363387113933"></a><a name="p66363387113933"></a>Indicates the region where the DB instance is deployed.</p>
</td>
</tr>
<tr id="row41260228113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p6725246113933"><a name="p6725246113933"></a><a name="p6725246113933"></a>ip</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p7874025113933"><a name="p7874025113933"></a><a name="p7874025113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p33816293113933"><a name="p33816293113933"></a><a name="p33816293113933"></a>Indicates the DB instance IP address.</p>
</td>
</tr>
<tr id="row30225743113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p54765209113933"><a name="p54765209113933"></a><a name="p54765209113933"></a>replica_of</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p6796974113933"><a name="p6796974113933"></a><a name="p6796974113933"></a>Dictionary data structure. For details, see <a href="#table2070063511535">Table 9</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p13684044113933"><a name="p13684044113933"></a><a name="p13684044113933"></a>Indicates the primary DB instance ID corresponding to the read replica.</p>
</td>
</tr>
<tr id="row24190140113923"><td class="cellrowborder" valign="top" width="27.29%" headers="mcps1.2.4.1.1 "><p id="p56462656113933"><a name="p56462656113933"></a><a name="p56462656113933"></a>hostname</p>
</td>
<td class="cellrowborder" valign="top" width="40.64%" headers="mcps1.2.4.1.2 "><p id="p10072423113933"><a name="p10072423113933"></a><a name="p10072423113933"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.07%" headers="mcps1.2.4.1.3 "><p id="p57893957153621"><a name="p57893957153621"></a><a name="p57893957153621"></a>Indicates the domain name. Its value is <strong id="b842352706141227"><a name="b842352706141227"></a><a name="b842352706141227"></a>null</strong>.</p>
<p id="p10559926113933"><a name="p10559926113933"></a><a name="p10559926113933"></a>Currently, this parameter is not supported.</p>
</td>
</tr>
</tbody>
</table>
**Table 5** links field data structure description
<a name="table26919596115413"></a>
<table><thead align="left"><tr id="row44057485115413"><th class="cellrowborder" valign="top" width="27.35%" id="mcps1.2.4.1.1"><p id="p11886518115413"><a name="p11886518115413"></a><a name="p11886518115413"></a><strong id="b84235270691445_11"><a name="b84235270691445_11"></a><a name="b84235270691445_11"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="40.39%" id="mcps1.2.4.1.2"><p id="p31336353115426"><a name="p31336353115426"></a><a name="p31336353115426"></a><strong id="b842352706164541_7"><a name="b842352706164541_7"></a><a name="b842352706164541_7"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="32.26%" id="mcps1.2.4.1.3"><p id="p55216670115426"><a name="p55216670115426"></a><a name="p55216670115426"></a><strong id="b842352706163417_11"><a name="b842352706163417_11"></a><a name="b842352706163417_11"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row37663412115413"><td class="cellrowborder" valign="top" width="27.35%" headers="mcps1.2.4.1.1 "><p id="p35317088115420"><a name="p35317088115420"></a><a name="p35317088115420"></a>rel</p>
</td>
<td class="cellrowborder" valign="top" width="40.39%" headers="mcps1.2.4.1.2 "><p id="p42111909115420"><a name="p42111909115420"></a><a name="p42111909115420"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.26%" headers="mcps1.2.4.1.3 "><p id="p55621491115420"><a name="p55621491115420"></a><a name="p55621491115420"></a>Its value is <strong id="b842352706173121"><a name="b842352706173121"></a><a name="b842352706173121"></a>self</strong> or <strong id="b842352706173123"><a name="b842352706173123"></a><a name="b842352706173123"></a>bookmark</strong>.</p>
</td>
</tr>
<tr id="row56851695115354"><td class="cellrowborder" valign="top" width="27.35%" headers="mcps1.2.4.1.1 "><p id="p5682579711546"><a name="p5682579711546"></a><a name="p5682579711546"></a>href</p>
</td>
<td class="cellrowborder" valign="top" width="40.39%" headers="mcps1.2.4.1.2 "><p id="p3948688111546"><a name="p3948688111546"></a><a name="p3948688111546"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="32.26%" headers="mcps1.2.4.1.3 "><p id="p4432076011546"><a name="p4432076011546"></a><a name="p4432076011546"></a>Its value is <strong id="b842352706121418"><a name="b842352706121418"></a><a name="b842352706121418"></a>""</strong>.</p>
</td>
</tr>
</tbody>
</table>
**Table 6** volume field data structure description
<a name="table47858865115627"></a>
<table><thead align="left"><tr id="row38235811115627"><th class="cellrowborder" valign="top" width="27.12%" id="mcps1.2.4.1.1"><p id="p2631636115657"><a name="p2631636115657"></a><a name="p2631636115657"></a><strong id="b84235270691445_13"><a name="b84235270691445_13"></a><a name="b84235270691445_13"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="41.160000000000004%" id="mcps1.2.4.1.2"><p id="p11836002115657"><a name="p11836002115657"></a><a name="p11836002115657"></a><strong id="b842352706164541_9"><a name="b842352706164541_9"></a><a name="b842352706164541_9"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="31.72%" id="mcps1.2.4.1.3"><p id="p19192116115657"><a name="p19192116115657"></a><a name="p19192116115657"></a><strong id="b842352706163417_13"><a name="b842352706163417_13"></a><a name="b842352706163417_13"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row46055645115627"><td class="cellrowborder" valign="top" width="27.12%" headers="mcps1.2.4.1.1 "><p id="p48601022115650"><a name="p48601022115650"></a><a name="p48601022115650"></a>type</p>
</td>
<td class="cellrowborder" valign="top" width="41.160000000000004%" headers="mcps1.2.4.1.2 "><p id="p44368671115650"><a name="p44368671115650"></a><a name="p44368671115650"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="31.72%" headers="mcps1.2.4.1.3 "><p id="p37092593115650"><a name="p37092593115650"></a><a name="p37092593115650"></a>Indicates the volume type.</p>
</td>
</tr>
<tr id="row32945781115420"><td class="cellrowborder" valign="top" width="27.12%" headers="mcps1.2.4.1.1 "><p id="p49608823115430"><a name="p49608823115430"></a><a name="p49608823115430"></a>size</p>
</td>
<td class="cellrowborder" valign="top" width="41.160000000000004%" headers="mcps1.2.4.1.2 "><p id="p58891736115430"><a name="p58891736115430"></a><a name="p58891736115430"></a>Int</p>
</td>
<td class="cellrowborder" valign="top" width="31.72%" headers="mcps1.2.4.1.3 "><p id="p5501313115430"><a name="p5501313115430"></a><a name="p5501313115430"></a>Indicates the volume size.</p>
</td>
</tr>
</tbody>
</table>
**Table 7** flavor field data structure description
<a name="table45121734115759"></a>
<table><thead align="left"><tr id="row66369319115759"><th class="cellrowborder" valign="top" width="27.077292270772922%" id="mcps1.2.4.1.1"><p id="p7205782115759"><a name="p7205782115759"></a><a name="p7205782115759"></a><strong id="b84235270691445_15"><a name="b84235270691445_15"></a><a name="b84235270691445_15"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="41.27587241275872%" id="mcps1.2.4.1.2"><p id="p46797465115759"><a name="p46797465115759"></a><a name="p46797465115759"></a><strong id="b842352706164541_11"><a name="b842352706164541_11"></a><a name="b842352706164541_11"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="31.64683531646835%" id="mcps1.2.4.1.3"><p id="p32498329115759"><a name="p32498329115759"></a><a name="p32498329115759"></a><strong id="b842352706163417_15"><a name="b842352706163417_15"></a><a name="b842352706163417_15"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row15118973115759"><td class="cellrowborder" valign="top" width="27.077292270772922%" headers="mcps1.2.4.1.1 "><p id="p16677294115759"><a name="p16677294115759"></a><a name="p16677294115759"></a>id</p>
</td>
<td class="cellrowborder" valign="top" width="41.27587241275872%" headers="mcps1.2.4.1.2 "><p id="p8683539115759"><a name="p8683539115759"></a><a name="p8683539115759"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="31.64683531646835%" headers="mcps1.2.4.1.3 "><p id="p32278036115759"><a name="p32278036115759"></a><a name="p32278036115759"></a>Indicates the specification ID.</p>
</td>
</tr>
<tr id="row22066875115759"><td class="cellrowborder" valign="top" width="27.077292270772922%" headers="mcps1.2.4.1.1 "><p id="p42586483115759"><a name="p42586483115759"></a><a name="p42586483115759"></a>links</p>
</td>
<td class="cellrowborder" valign="top" width="41.27587241275872%" headers="mcps1.2.4.1.2 "><p id="p36228097173722"><a name="p36228097173722"></a><a name="p36228097173722"></a>List data structure. For details, see <a href="#table26919596115413">Table 5</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="31.64683531646835%" headers="mcps1.2.4.1.3 "><p id="p36499162173722"><a name="p36499162173722"></a><a name="p36499162173722"></a>Indicates the link address.</p>
</td>
</tr>
</tbody>
</table>
**Table 8** datastore field data structure description
<a name="table25266871114925"></a>
<table><thead align="left"><tr id="row38909932114925"><th class="cellrowborder" valign="top" width="26.840000000000003%" id="mcps1.2.4.1.1"><p id="p64696753114925"><a name="p64696753114925"></a><a name="p64696753114925"></a><strong id="b84235270691445_17"><a name="b84235270691445_17"></a><a name="b84235270691445_17"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="41.53%" id="mcps1.2.4.1.2"><p id="p53345150115013"><a name="p53345150115013"></a><a name="p53345150115013"></a><strong id="b842352706164541_13"><a name="b842352706164541_13"></a><a name="b842352706164541_13"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="31.630000000000003%" id="mcps1.2.4.1.3"><p id="p25989888115013"><a name="p25989888115013"></a><a name="p25989888115013"></a><strong id="b842352706163417_17"><a name="b842352706163417_17"></a><a name="b842352706163417_17"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row36381481114925"><td class="cellrowborder" valign="top" width="26.840000000000003%" headers="mcps1.2.4.1.1 "><p id="p1773920111507"><a name="p1773920111507"></a><a name="p1773920111507"></a>type</p>
</td>
<td class="cellrowborder" valign="top" width="41.53%" headers="mcps1.2.4.1.2 "><p id="p2758918711507"><a name="p2758918711507"></a><a name="p2758918711507"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="31.630000000000003%" headers="mcps1.2.4.1.3 "><p id="p2013169811507"><a name="p2013169811507"></a><a name="p2013169811507"></a>Indicates the DB engine type.</p>
</td>
</tr>
<tr id="row24365299114925"><td class="cellrowborder" valign="top" width="26.840000000000003%" headers="mcps1.2.4.1.1 "><p id="p2005483711507"><a name="p2005483711507"></a><a name="p2005483711507"></a>version</p>
</td>
<td class="cellrowborder" valign="top" width="41.53%" headers="mcps1.2.4.1.2 "><p id="p1382910911507"><a name="p1382910911507"></a><a name="p1382910911507"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="31.630000000000003%" headers="mcps1.2.4.1.3 "><p id="p4641602511507"><a name="p4641602511507"></a><a name="p4641602511507"></a>Indicates the database version.</p>
</td>
</tr>
</tbody>
</table>
**Table 9** replica\_of field data structure description
<a name="table2070063511535"></a>
<table><thead align="left"><tr id="row1017359011535"><th class="cellrowborder" valign="top" width="26.93%" id="mcps1.2.4.1.1"><p id="p1875447211535"><a name="p1875447211535"></a><a name="p1875447211535"></a><strong id="b84235270691445_19"><a name="b84235270691445_19"></a><a name="b84235270691445_19"></a>Name</strong></p>
</th>
<th class="cellrowborder" valign="top" width="41.42%" id="mcps1.2.4.1.2"><p id="p42146161115320"><a name="p42146161115320"></a><a name="p42146161115320"></a><strong id="b842352706164541_15"><a name="b842352706164541_15"></a><a name="b842352706164541_15"></a>Type</strong></p>
</th>
<th class="cellrowborder" valign="top" width="31.65%" id="mcps1.2.4.1.3"><p id="p58395846115320"><a name="p58395846115320"></a><a name="p58395846115320"></a><strong id="b842352706163417_19"><a name="b842352706163417_19"></a><a name="b842352706163417_19"></a>Description</strong></p>
</th>
</tr>
</thead>
<tbody><tr id="row5934370811535"><td class="cellrowborder" valign="top" width="26.93%" headers="mcps1.2.4.1.1 "><p id="p31671150115314"><a name="p31671150115314"></a><a name="p31671150115314"></a>id</p>
</td>
<td class="cellrowborder" valign="top" width="41.42%" headers="mcps1.2.4.1.2 "><p id="p15226378115314"><a name="p15226378115314"></a><a name="p15226378115314"></a>String</p>
</td>
<td class="cellrowborder" valign="top" width="31.65%" headers="mcps1.2.4.1.3 "><p id="p25377139115314"><a name="p25377139115314"></a><a name="p25377139115314"></a>Indicates the primary DB instance ID.</p>
</td>
</tr>
<tr id="row2921722111535"><td class="cellrowborder" valign="top" width="26.93%" headers="mcps1.2.4.1.1 "><p id="p42282384115314"><a name="p42282384115314"></a><a name="p42282384115314"></a>links</p>
</td>
<td class="cellrowborder" valign="top" width="41.42%" headers="mcps1.2.4.1.2 "><p id="p2321098115314"><a name="p2321098115314"></a><a name="p2321098115314"></a>List data structure. For details, see <a href="#table26919596115413">Table 5</a>.</p>
</td>
<td class="cellrowborder" valign="top" width="31.65%" headers="mcps1.2.4.1.3 "><p id="p53791240115314"><a name="p53791240115314"></a><a name="p53791240115314"></a>Indicates the link address.</p>
</td>
</tr>
</tbody>
</table>
- Response example
```
{
"instances": [
{
"instance": {
"status": "ACTIVE",
"name": "rds-new-channle-read",
"links": [
{
"rel": "self",
"href": ""
},
{
"rel": "bookmark",
"href": ""
}
],
"id": "37f52707-2fb3-482c-a444-77a70a4eafd6",
"volume": {
"type": "COMMON",
"size": 100
},
"flavor": {
"id": "7fbf27c5-07e5-43dc-cf13-ad7a0f1c5d9a",
"links": [
{
"rel": "self",
"href": ""
},
{
"rel": "bookmark",
"href": ""
}
]
},
"datastore": {
"type": "PostgreSQL",
"version": "PostgreSQL-9.5.5"
},
"region": "eu-de",
"ip": "192.168.1.29",
"replica_of": [
{
"id": "c42cdd29-9912-4b57-91a8-c37a845566b1",
"links": [
{
"rel": "self",
"href": ""
},
{
"rel": "bookmark",
"href": ""
}
]
}
],
"hostname": null
}
}
]
}
```
## Abnormal Response<a name="section64738761102048"></a>
For details, see [Abnormal Request Results](abnormal-request-results.md).
| 74.3825 | 1,183 | 0.646758 | yue_Hant | 0.198367 |
1455df43d2964f00d705dbad31f9d1b6eae494de | 1,407 | md | Markdown | docs/resources/subnet.md | chrisrough/terraform-provider-tos | 0c6b74298f8a8ebb951a4e0e2b03fc15e82ac98a | [
"Apache-2.0"
] | null | null | null | docs/resources/subnet.md | chrisrough/terraform-provider-tos | 0c6b74298f8a8ebb951a4e0e2b03fc15e82ac98a | [
"Apache-2.0"
] | null | null | null | docs/resources/subnet.md | chrisrough/terraform-provider-tos | 0c6b74298f8a8ebb951a4e0e2b03fc15e82ac98a | [
"Apache-2.0"
] | null | null | null | # Resource `tos_subnet`
The `tos_subnet` Resource manages Subnet Network Objects in Tufin SA.
## Usage
```terraform
resource "tos_subnet" "milkyway" {
domain = var.domain
app = var.app
name = "MILKYWAY_1"
ip = "1.2.3.0/28"
comment = "Test Subnet MILKYWAY 1 .. Created by Terraform Provider TOS"
tags = merge(
var.default_tags,
{
network_object_SA = format("%s", "MILKYWAY_1")
})
}
```
## Argument Reference
* `domain` - (Required) The Domain Name.
* `app` - (Required) The Application Name.
* `name` - (Required) The Subnet Name.
* `ip` - (Required) The Subnet CIDR.
* `comment` - (Required) The Range Comment.
* `tags` - (Optional) Resource Tags; see [Tags](tag.md) for details.
## Attribute Reference
In addition to all arguments above, the following attributes are exported:
* `id` - The Subnet Id.
### Example
```terraform
resource "tos_subnet" "milkyway" {
app = "Cloud"
comment = "Test Subnet MILKYWAY 1 .. Created by Terraform Provider TOS"
domain = "scs0"
id = "23583"
ip = "1.2.3.0/28"
name = "MILKYWAY_1"
tags = {
"description" = "Terraform Provider TOS Showcase Network Objects"
"env" = "Tufin@me"
"network_object_SA" = "MILKYWAY_1"
"origin" = "provider-tufin-tba"
"project" = "Terraform Provider TOS"
"version" = "1.0.0"
}
}
``` | 24.684211 | 75 | 0.61194 | eng_Latn | 0.398164 |
1455e38808df20b6c4852443f1e8f0b72e51e9b2 | 193 | md | Markdown | _project/34-wood-craft-projects-for-under-10-great-for-craft-night.md | rumnamanya/rumnamanya.github.io | 2deadeff04c8a48cf683b885b7fa6ab9acc1d9d9 | [
"MIT"
] | null | null | null | _project/34-wood-craft-projects-for-under-10-great-for-craft-night.md | rumnamanya/rumnamanya.github.io | 2deadeff04c8a48cf683b885b7fa6ab9acc1d9d9 | [
"MIT"
] | null | null | null | _project/34-wood-craft-projects-for-under-10-great-for-craft-night.md | rumnamanya/rumnamanya.github.io | 2deadeff04c8a48cf683b885b7fa6ab9acc1d9d9 | [
"MIT"
] | null | null | null | ---
layout: project_single
title: "34 Wood Craft Projects for UNDER $10 (...great for Craft Night"
slug: "34-wood-craft-projects-for-under-10-great-for-craft-night"
parent: "house-decor"
---
| 27.571429 | 72 | 0.720207 | eng_Latn | 0.613617 |
14562cb19af1f5992253c16047704c180b960903 | 29 | md | Markdown | README.md | Marco901105/fullstacktrainee | 7f290395520e883c3fb4a224bf7d63a8d4a7a1fb | [
"MIT"
] | null | null | null | README.md | Marco901105/fullstacktrainee | 7f290395520e883c3fb4a224bf7d63a8d4a7a1fb | [
"MIT"
] | null | null | null | README.md | Marco901105/fullstacktrainee | 7f290395520e883c3fb4a224bf7d63a8d4a7a1fb | [
"MIT"
] | null | null | null | # fullstacktrainee
exercises
| 9.666667 | 18 | 0.862069 | eng_Latn | 0.648006 |
14565b91f27b209d7c564bd065034724106374ae | 12,966 | md | Markdown | articles/search/search-howto-indexing-azure-tables.md | beatrizmayumi/azure-docs.pt-br | ca6432fe5d3f7ccbbeae22b4ea05e1850c6c7814 | [
"CC-BY-4.0",
"MIT"
] | 39 | 2017-08-28T07:46:06.000Z | 2022-01-26T12:48:02.000Z | articles/search/search-howto-indexing-azure-tables.md | beatrizmayumi/azure-docs.pt-br | ca6432fe5d3f7ccbbeae22b4ea05e1850c6c7814 | [
"CC-BY-4.0",
"MIT"
] | 562 | 2017-06-27T13:50:17.000Z | 2021-05-17T23:42:07.000Z | articles/search/search-howto-indexing-azure-tables.md | beatrizmayumi/azure-docs.pt-br | ca6432fe5d3f7ccbbeae22b4ea05e1850c6c7814 | [
"CC-BY-4.0",
"MIT"
] | 113 | 2017-07-11T19:54:32.000Z | 2022-01-26T21:20:25.000Z | ---
title: Pesquisar o conteúdo do armazenamento de tabelas do Azure
titleSuffix: Azure Cognitive Search
description: Saiba como indexar dados armazenados no armazenamento de tabelas do Azure com um indexador Pesquisa Cognitiva do Azure.
manager: nitinme
author: mgottein
ms.author: magottei
ms.devlang: rest-api
ms.service: cognitive-search
ms.topic: conceptual
ms.date: 07/11/2020
ms.openlocfilehash: 2c67cd4d071660da2ca5714623695ca434329263
ms.sourcegitcommit: 772eb9c6684dd4864e0ba507945a83e48b8c16f0
ms.translationtype: MT
ms.contentlocale: pt-BR
ms.lasthandoff: 03/19/2021
ms.locfileid: "91275176"
---
# <a name="how-to-index-tables-from-azure-table-storage-with-azure-cognitive-search"></a>Como indexar tabelas do armazenamento de tabelas do Azure com o Azure Pesquisa Cognitiva
Este artigo mostra como usar os Pesquisa Cognitiva do Azure para indexar dados armazenados no armazenamento de tabelas do Azure.
## <a name="set-up-azure-table-storage-indexing"></a>Indexador do Armazenamento de Tabelas do Azure
Você pode configurar um indexador de armazenamento de Tabela do Azure usando estes recursos:
* [Portal do Azure](https://ms.portal.azure.com)
* [API REST](/rest/api/searchservice/Indexer-operations) do Azure pesquisa cognitiva
* SDK do [.net](/dotnet/api/overview/azure/search) pesquisa cognitiva do Azure
Aqui, demonstraremos o fluxo usando a API REST.
### <a name="step-1-create-a-datasource"></a>Etapa 1: Criar uma fonte de dados
Um DataSource especifica quais dados indexar, as credenciais necessárias para acessar os dados e as políticas que permitem ao Azure Pesquisa Cognitiva identificar com eficiência as alterações nos dados.
Para a indexação de tabela, a fonte de dados deve ter as seguintes propriedades:
- **nome** é o nome exclusivo da fonte de dados dentro de seu serviço de pesquisa.
- **type** deve ser `azuretable`.
- O parâmetro **credentials** contém a cadeia de conexão da conta de armazenamento. Consulte a seção [Especificar credenciais](#Credentials) para obter detalhes.
- **contêiner** define o nome da tabela e uma consulta opcional.
- Especifique o nome da tabela usando o parâmetro `name`.
- Opcionalmente, especifique uma consulta usando o parâmetro `query`.
> [!IMPORTANT]
> Sempre que possível, use um filtro em PartitionKey para obter um melhor desempenho. Qualquer outra consulta faz uma verificação de tabela completa, resultando em mau desempenho se usada em grandes tabelas. Consulte a seção [Considerações sobre desempenho](#Performance).
Para criar uma fonte de dados:
```http
POST https://[service name].search.windows.net/datasources?api-version=2020-06-30
Content-Type: application/json
api-key: [admin key]
{
"name" : "table-datasource",
"type" : "azuretable",
"credentials" : { "connectionString" : "DefaultEndpointsProtocol=https;AccountName=<account name>;AccountKey=<account key>;" },
"container" : { "name" : "my-table", "query" : "PartitionKey eq '123'" }
}
```
Para obter mais informações sobre Criar a API da Fonte de Dados, consulte [Criar Fonte de Dados](/rest/api/searchservice/create-data-source).
<a name="Credentials"></a>
#### <a name="ways-to-specify-credentials"></a>Maneiras de especificar credenciais ####
Você pode fornecer as credenciais para a tabela de uma das seguintes maneiras:
- **Cadeia de conexão de identidade gerenciada**: `ResourceId=/subscriptions/<your subscription ID>/resourceGroups/<your resource group name>/providers/Microsoft.Storage/storageAccounts/<your storage account name>/;` essa cadeia de conexão não requer uma chave de conta, mas você deve seguir as instruções para [Configurar uma conexão com uma conta de armazenamento do Azure usando uma identidade gerenciada](search-howto-managed-identities-storage.md).
- **Cadeia de conexão da conta de armazenamento de acesso completo**: `DefaultEndpointsProtocol=https;AccountName=<your storage account>;AccountKey=<your account key>` você pode obter a cadeia de conexão do portal do Azure acessando as chaves de configurações da **folha da conta de armazenamento** > > (para contas de armazenamento clássicas) ou **configurações** > **chaves de acesso** (para contas de armazenamento de Azure Resource Manager).
- **Cadeia de conexão de assinatura de acesso compartilhado da conta de armazenamento**: `TableEndpoint=https://<your account>.table.core.windows.net/;SharedAccessSignature=?sv=2016-05-31&sig=<the signature>&spr=https&se=<the validity end time>&srt=co&ss=t&sp=rl` a assinatura de acesso compartilhado deve ter as permissões de lista e leitura em contêineres (tabelas neste caso) e objetos (linhas de tabela).
- **Assinatura de acesso compartilhado de tabela**: `ContainerSharedAccessUri=https://<your storage account>.table.core.windows.net/<table name>?tn=<table name>&sv=2016-05-31&sig=<the signature>&se=<the validity end time>&sp=r` a assinatura de acesso compartilhado deve ter permissões de consulta (leitura) na tabela.
Para saber mais sobre assinaturas de acesso compartilhado, confira [Uso de assinaturas de acesso compartilhado](../storage/common/storage-sas-overview.md).
> [!NOTE]
> Se você usar credenciais de assinaturas de acesso compartilhado, você precisará atualizar as credenciais de fonte de dados periodicamente com assinaturas renovadas para impedir sua expiração. Se as credenciais de assinatura de acesso compartilhado expirarem, o indexador falha com uma mensagem de erro semelhante a "Credenciais fornecidas na cadeia de conexão são inválidas ou expiraram."
### <a name="step-2-create-an-index"></a>Etapa 2: Criar um índice
O índice especifica os campos em um documento, os atributos e outras construções que modelam a experiência de pesquisa.
Para criar um índice:
```http
POST https://[service name].search.windows.net/indexes?api-version=2020-06-30
Content-Type: application/json
api-key: [admin key]
{
"name" : "my-target-index",
"fields": [
{ "name": "key", "type": "Edm.String", "key": true, "searchable": false },
{ "name": "SomeColumnInMyTable", "type": "Edm.String", "searchable": true }
]
}
```
Para obter mais informações sobre a criação de índices, consulte [Criar Índice](/rest/api/searchservice/create-index).
### <a name="step-3-create-an-indexer"></a>Etapa 3: Criar um indexador
Um indexador conecta uma fonte de dados a um índice de pesquisa de destino e fornece um agendamento para automatizar a atualização de dados.
Após o índice e a fonte de dados terem sido criados, será possível criar o indexador:
```http
POST https://[service name].search.windows.net/indexers?api-version=2020-06-30
Content-Type: application/json
api-key: [admin key]
{
"name" : "table-indexer",
"dataSourceName" : "table-datasource",
"targetIndexName" : "my-target-index",
"schedule" : { "interval" : "PT2H" }
}
```
Esse indexador é executado a cada duas horas. (O intervalo de agendamento é definido como "PT2H".) Para executar um indexador a cada 30 minutos, defina o intervalo como "PT30M". O intervalo mais curto com suporte é de cinco minutos. O agendamento é opcional; se ele for omitido, um indexador será executado apenas uma vez quando for criado. No entanto, você pode executar um indexador sob demanda a qualquer momento.
Para obter mais informações sobre Criar a API do Indexador, consulte [Criar Indexador](/rest/api/searchservice/create-indexer).
Para obter mais informações sobre como definir as agendas do indexador, confira [Como agendar indexadores para o Azure Cognitive Search](search-howto-schedule-indexers.md).
## <a name="deal-with-different-field-names"></a>Lidar com nomes de campos diferentes
Algumas vezes, os nomes de campos no índice existente são diferentes dos nomes de propriedades na sua tabela. Você pode usar os mapeamentos de campo para mapear os nomes de propriedade da tabela para os nomes de campo em seu índice de pesquisa. Para saber mais sobre mapeamentos de campo, confira [mapeamentos de campo do indexador de pesquisa cognitiva do Azure ponte das diferenças entre fontes de pesquisa e índices](search-indexer-field-mappings.md).
## <a name="handle-document-keys"></a>Manipular chaves de documento
No Azure Pesquisa Cognitiva, a chave do documento identifica exclusivamente um documento. Cada índice de pesquisa deve ter exatamente um campo de chave do tipo `Edm.String`. O campo de chave é necessário para cada documento adicionado ao índice. (Na verdade, ele é o único campo obrigatório.)
Como as linhas de tabela têm uma chave composta, o Azure Pesquisa Cognitiva gera um campo sintético chamado `Key` que é uma concatenação dos valores de chave de partição e de linha de coluna. Por exemplo, se a PartitionKey de uma linha for `PK1` e a RowKey for `RK1`, o valor do campo `Key` será `PK1RK1`.
> [!NOTE]
> O valor `Key` pode conter caracteres inválidos em chaves de documento, como traços. É possível lidar com caracteres inválidos usando a `base64Encode` [função de mapeamento de campo](search-indexer-field-mappings.md#base64EncodeFunction). Se você fizer isso, lembre-se também de usar a codificação de Base 64 protegida por URL ao transmitir as chaves de documento nas chamadas à API como Pesquisa.
>
>
## <a name="incremental-indexing-and-deletion-detection"></a>Indexação incremental e detecção de exclusão
Ao configurar um indexador de tabela para ser executado em um agendamento, ele reindexará somente linhas novas ou atualizadas, conforme determinado pelo valor `Timestamp` de uma linha. Você não precisa especificar uma política de detecção de alteração. Indexação incremental é habilitada automaticamente para você.
Para indicar que determinados documentos devem ser removidos do índice, você pode usar uma estratégia de exclusão reversível. Em vez de excluir uma linha, adicione uma propriedade para indicar que ela foi excluída e configure uma política de detecção de exclusão reversível na fonte de dados. Por exemplo, a política a seguir considerará que uma linha foi excluída se esta tiver uma propriedade de metadados `IsDeleted` com o valor `"true"`:
```http
PUT https://[service name].search.windows.net/datasources?api-version=2020-06-30
Content-Type: application/json
api-key: [admin key]
{
"name" : "my-table-datasource",
"type" : "azuretable",
"credentials" : { "connectionString" : "<your storage connection string>" },
"container" : { "name" : "table name", "query" : "<query>" },
"dataDeletionDetectionPolicy" : { "@odata.type" : "#Microsoft.Azure.Search.SoftDeleteColumnDeletionDetectionPolicy", "softDeleteColumnName" : "IsDeleted", "softDeleteMarkerValue" : "true" }
}
```
<a name="Performance"></a>
## <a name="performance-considerations"></a>Considerações sobre o desempenho
Por padrão, o Azure Pesquisa Cognitiva usa o seguinte filtro de consulta: `Timestamp >= HighWaterMarkValue` . Já que as tabelas do Azure não têm um índice secundário no campo `Timestamp`, esse tipo de consulta requer uma verificação completa e, portanto, é lenta para tabelas grandes.
Aqui estão duas abordagens possíveis para melhorar o desempenho de indexação de tabela. Ambas as abordagens dependem do uso de partições de tabela:
- Se seus dados podem ser naturalmente particionados em vários intervalos de partição, crie uma fonte de dados e um indexador correspondente para cada intervalo de partição. Cada indexador deve processar apenas um intervalo de partição específico, resultando em um melhor desempenho de consulta. Se os dados que precisam ser indexados têm um pequeno número de partições fixas, isso é ainda melhor: nesse caso, cada indexador faz apenas uma verificação de partição. Por exemplo, para criar uma fonte de dados para o processamento de um intervalo de partição com chaves de `000` a `100`, use uma consulta como esta:
```
"container" : { "name" : "my-table", "query" : "PartitionKey ge '000' and PartitionKey lt '100' " }
```
- Se os dados são particionados por hora (por exemplo, se você cria uma nova partição a cada dia ou semana), considere a seguinte abordagem:
- Use uma consulta com o seguinte formato: `(PartitionKey ge <TimeStamp>) and (other filters)`.
- Monitore o progresso do indexador usando a [API Obter Status do Indexador](/rest/api/searchservice/get-indexer-status) e atualize periodicamente a condição `<TimeStamp>` da consulta com base no valor de marca d'água alta bem-sucedido mais recente.
- Com essa abordagem, se você precisar disparar uma reindexação completa, você precisará redefinir a consulta de fonte de dados, além de redefinir o indexador.
## <a name="help-us-make-azure-cognitive-search-better"></a>Ajude-nos a tornar o Azure Pesquisa Cognitiva melhor
Se você tiver solicitações de recursos ou ideias para aperfeiçoamentos, envie-os por meio do nosso [site UserVoice](https://feedback.azure.com/forums/263029-azure-search/). | 72.435754 | 614 | 0.761993 | por_Latn | 0.998005 |
1456a87a7ec81887218a5b618d6cba3f34e5824a | 5,077 | md | Markdown | doc/deploy.md | vector4wang/vw-crawler | baff523234c580fd6bece4a41d19b056fe552bfc | [
"MIT"
] | 36 | 2018-07-09T07:17:31.000Z | 2021-09-08T01:33:13.000Z | doc/deploy.md | leishen8888/vw-crawler | 7d22d28ef83b9642b7ba983807f9d77925cd05e0 | [
"MIT"
] | 1 | 2018-08-21T05:54:49.000Z | 2018-08-23T03:09:38.000Z | doc/deploy.md | leishen8888/vw-crawler | 7d22d28ef83b9642b7ba983807f9d77925cd05e0 | [
"MIT"
] | 17 | 2018-08-03T09:57:44.000Z | 2021-05-28T09:42:58.000Z | ## 注册Sonatype账号
使用过Jira的用户就很熟悉了,事务与项目跟踪软件。注册好之后也可以用这个账号登陆maven公服仓库https://oss.sonatype.org/
**注意:Username 一定不要是中文,一定要是英文!!!**
## 创建一个Jira
Project: Open Source Project Repository Hosting (OSSRH)
Issue Type: New Project
下面是我项目的配置
[](https://i.loli.net/2018/07/08/5b421cd991b36.png)
注意Group Id 要和项目中pom配置的一样,一定要是域名的反写,这里推荐使用github的域名(如果自己没有长期维护的域名),自己的域名可能会过期github可是不能随随便便的过期吧~
Project URL 就是你项目再Github上的地址;
SCM url 就是项目clone地址
ok,创建好之后就等待老外回复吧。因为有时差,所以一般他们晚上十点钟以后才能去审查,所以第一次配置的的时候一定要准确,不然改一次要等一天哦~~~
正确的审核反馈如下:
[](https://i.loli.net/2018/07/08/5b421e1a8dbad.png)
## 修改项目Pom
这个也是比较重要的
一定要有以下结构
```
<description>A Simple Java Crawler Framework</description>
<licenses>
<license>
<name>The Apache Software License, Version 2.0</name>
<url>http://www.apache.org/licenses/LICENSE-2.0.txt</url>
</license>
</licenses>
<developers>
<developer>
<name>wangxc</name>
<email>vector4wang@qq.com</email>
</developer>
</developers>
<scm>
<connection>
scm:git:https://github.com/vector4wang/vw-crawler.git
</connection>
<developerConnection>
scm:git:https://github.com/vector4wang/vw-crawler.git
</developerConnection>
<url>https://github.com/vector4wang/vw-crawler</url>
</scm>
```
这是Nexus Rules规定的,不然会出错!
然后就是构建插件与配置
```
<distributionManagement>
<snapshotRepository>
<id>ossrh</id>
<url>https://oss.sonatype.org/content/repositories/snapshots/</url>
</snapshotRepository>
<repository>
<id>ossrh</id>
<url>https://oss.sonatype.org/service/local/staging/deploy/maven2/</url>
</repository>
</distributionManagement>
<build>
<plugins>
<plugin>
<groupId>org.sonatype.plugins</groupId>
<artifactId>nexus-staging-maven-plugin</artifactId>
<version>1.6.7</version>
<extensions>true</extensions>
<configuration>
<serverId>ossrh</serverId>
<nexusUrl>https://oss.sonatype.org/</nexusUrl>
<autoReleaseAfterClose>true</autoReleaseAfterClose>
</configuration>
</plugin>
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-source-plugin</artifactId>
<version>2.2.1</version>
<executions>
<execution>
<id>attach-sources</id>
<goals>
<goal>jar-no-fork</goal>
</goals>
</execution>
</executions>
</plugin>
<!-- java doc -->
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-javadoc-plugin</artifactId>
<version>2.9.1</version>
<executions>
<execution>
<id>attach-javadocs</id>
<goals>
<goal>jar</goal>
</goals>
</execution>
</executions>
</plugin>
<!-- GPG -->
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-gpg-plugin</artifactId>
<version>1.5</version>
<executions>
<execution>
<id>sign-artifacts</id>
<phase>verify</phase>
<goals>
<goal>sign</goal>
</goals>
</execution>
</executions>
</plugin>
<plugin>
<artifactId>maven-compiler-plugin</artifactId>
<version>3.5.1</version>
<configuration>
<source>${java.version}</source>
<target>${java.version}</target>
</configuration>
</plugin>
</plugins>
</build>
```
distributionManagement中对应MavenHome中的setting的文件配置,如下
```
<servers>
<server>
<id>ossrh</id>
<username>UserName</username>
<password>Password</password>
</server>
</servers>
```
用户名和密码就是你注册sonatype时的用户名和密码,id要对应pom里的id
nexus-staging-maven-plugin 这个插件是在成功发布到公服上的时候不需要手动去改变status(close,有的文章介绍说要手动关闭)
maven-javadoc-plugin 这个也比较重要,生成javadoc,要求代码里如果要使用注释,就要按照规范去注释,这个大家可以查找相关内容了解下,你也可以在deploy的时候按照提示去修改代码
maven-gpg-plugin 这个是用来生成私钥,下面会用到
ps:我的电脑是mac,在打包的时候报错,说找不到java home,在properti中加上下面配置就行了
```
<javadocExecutable>${java.home}/../bin/javadoc</javadocExecutable>
```
## 安装gpg
windows用户在[gpg4win](https://www.gpg4win.org/)这里下载,mac可以下载GPG_suite
因为都是图形界面,所以直接创建新的秘钥
需要输入用户名、邮箱和密码,一定要记住这个密码
之后需要把此秘钥发布到公钥服务器上(因为是图形工具,很简单,如果是命令行,还请在网上找一下)
## 发布
一切配置好之后,可以使用`mvn clean deploy`看一下结果,如果想发布release版本的需要把version中的snapshot去掉即可~
发布的时候提示你输入密码,这个密码就是上一节中你输入的密码!
之后就可以在仓库中找到自己发布的jar包了,发布release之后,要回到jira上接着评论告知已经发布,可以关闭掉这个jira了!!!
## 后记
最大的问题就是时差问题,因为你遇到的问题可能需要老外那边协助,比如重置一些权限或者其他稀奇古怪的问题,这样一等就是一天。所以要准备十点以后,一旦jira有回复,立马去修改去尝试,然后再告知老外,那是老外可能会立即做出回应,就不需要等一天了~~~ | 27.895604 | 127 | 0.620248 | yue_Hant | 0.310201 |
1456d18240ad1397f71926f921237f6ca970f11b | 5,018 | md | Markdown | desktop-src/winmsg/wm-canceljournal.md | crushonme/win32 | f5099e1e3e455bb162771d80b0ba762ee5c974ec | [
"CC-BY-4.0",
"MIT"
] | null | null | null | desktop-src/winmsg/wm-canceljournal.md | crushonme/win32 | f5099e1e3e455bb162771d80b0ba762ee5c974ec | [
"CC-BY-4.0",
"MIT"
] | null | null | null | desktop-src/winmsg/wm-canceljournal.md | crushonme/win32 | f5099e1e3e455bb162771d80b0ba762ee5c974ec | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
Description: Posted to an application when a user cancels the application's journaling activities. The message is posted with a NULL window handle.
ms.assetid: 7515acb5-4526-40f7-abb7-822a073ac7dc
title: WM_CANCELJOURNAL message
ms.topic: reference
ms.date: 05/31/2018
---
# WM\_CANCELJOURNAL message
Posted to an application when a user cancels the application's journaling activities. The message is posted with a **NULL** window handle.
```C++
#define WM_CANCELJOURNAL 0x004B
```
## Parameters
<dl> <dt>
*wParam*
</dt> <dd>
This parameter is not used.
</dd> <dt>
*lParam*
</dt> <dd>
This parameter is not used.
</dd> </dl>
## Return value
Type: **void**
This message does not return a value. It is meant to be processed from within an application's main loop or a [**GetMessage**](https://msdn.microsoft.com/en-us/library/ms644936(v=VS.85).aspx) hook procedure, not from a window procedure.
## Remarks
Journal record and playback modes are modes imposed on the system that let an application sequentially record or play back user input. The system enters these modes when an application installs a [*JournalRecordProc*](https://msdn.microsoft.com/en-us/library/ms644983(v=VS.85).aspx) or [*JournalPlaybackProc*](https://msdn.microsoft.com/en-us/library/ms644982(v=VS.85).aspx) hook procedure. When the system is in either of these journaling modes, applications must take turns reading input from the input queue. If any one application stops reading input while the system is in a journaling mode, other applications are forced to wait.
To ensure a robust system, one that cannot be made unresponsive by any one application, the system automatically cancels any journaling activities when a user presses CTRL+ESC or CTRL+ALT+DEL. The system then unhooks any journaling hook procedures, and posts a **WM\_CANCELJOURNAL** message, with a **NULL** window handle, to the application that set the journaling hook.
The **WM\_CANCELJOURNAL** message has a **NULL** window handle, therefore it cannot be dispatched to a window procedure. There are two ways for an application to see a **WM\_CANCELJOURNAL** message: If the application is running in its own main loop, it must catch the message between its call to [**GetMessage**](https://msdn.microsoft.com/en-us/library/ms644936(v=VS.85).aspx) or [**PeekMessage**](https://msdn.microsoft.com/en-us/library/ms644943(v=VS.85).aspx) and its call to [**DispatchMessage**](https://msdn.microsoft.com/en-us/library/ms644934(v=VS.85).aspx). If the application is not running in its own main loop, it must set a [*GetMsgProc*](https://msdn.microsoft.com/en-us/library/ms644981(v=VS.85).aspx) hook procedure (through a call to [**SetWindowsHookEx**](https://msdn.microsoft.com/en-us/library/ms644990(v=VS.85).aspx) specifying the **WH\_GETMESSAGE** hook type) that watches for the message.
When an application sees a **WM\_CANCELJOURNAL** message, it can assume two things: the user has intentionally canceled the journal record or playback mode, and the system has already unhooked any journal record or playback hook procedures.
Note that the key combinations mentioned above (CTRL+ESC or CTRL+ALT+DEL) cause the system to cancel journaling. If any one application is made unresponsive, they give the user a means of recovery. The [**VK\_CANCEL**](https://msdn.microsoft.com/en-us/library/Dd375731(v=VS.85).aspx) virtual key code (usually implemented as the CTRL+BREAK key combination) is what an application that is in journal record mode should watch for as a signal that the user wishes to cancel the journaling activity. The difference is that watching for **VK\_CANCEL** is a suggested behavior for journaling applications, whereas CTRL+ESC or CTRL+ALT+DEL cause the system to cancel journaling regardless of a journaling application's behavior.
## Requirements
| | |
|-------------------------------------|----------------------------------------------------------------------------------------------------------|
| Minimum supported client<br/> | Windows 2000 Professional \[desktop apps only\]<br/> |
| Minimum supported server<br/> | Windows 2000 Server \[desktop apps only\]<br/> |
| Header<br/> | <dl> <dt>Winuser.h (include Windows.h)</dt> </dl> |
## See also
<dl> <dt>
**Reference**
</dt> <dt>
[*JournalPlaybackProc*](https://msdn.microsoft.com/en-us/library/ms644982(v=VS.85).aspx)
</dt> <dt>
[*JournalRecordProc*](https://msdn.microsoft.com/en-us/library/ms644983(v=VS.85).aspx)
</dt> <dt>
[*GetMsgProc*](https://msdn.microsoft.com/en-us/library/ms644981(v=VS.85).aspx)
</dt> <dt>
[**SetWindowsHookEx**](https://msdn.microsoft.com/en-us/library/ms644990(v=VS.85).aspx)
</dt> <dt>
**Conceptual**
</dt> <dt>
[Hooks](hooks.md)
</dt> </dl>
| 50.18 | 915 | 0.688322 | eng_Latn | 0.933445 |
14576d03416168766fa442165b6ff818859066b9 | 82 | md | Markdown | README.md | pstjohn/Collocation | 75d27de7ea25fc0953c1f9185d6399dd5a204182 | [
"MIT"
] | null | null | null | README.md | pstjohn/Collocation | 75d27de7ea25fc0953c1f9185d6399dd5a204182 | [
"MIT"
] | null | null | null | README.md | pstjohn/Collocation | 75d27de7ea25fc0953c1f9185d6399dd5a204182 | [
"MIT"
] | null | null | null | # Collocation
A package to use casadi for collocation-based system identification
| 27.333333 | 67 | 0.841463 | eng_Latn | 0.994269 |
145770c5ba57353d33fff4d7e62fba723219523f | 5,377 | md | Markdown | articles/active-directory/hybrid/reference-connect-government-cloud.md | ChrisGibson1982/azure-docs | ffd00e37ee9d095eac77e6266fb40eef24487e8b | [
"CC-BY-4.0",
"MIT"
] | 1 | 2020-09-13T17:33:35.000Z | 2020-09-13T17:33:35.000Z | articles/active-directory/hybrid/reference-connect-government-cloud.md | ChrisGibson1982/azure-docs | ffd00e37ee9d095eac77e6266fb40eef24487e8b | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/active-directory/hybrid/reference-connect-government-cloud.md | ChrisGibson1982/azure-docs | ffd00e37ee9d095eac77e6266fb40eef24487e8b | [
"CC-BY-4.0",
"MIT"
] | 1 | 2020-12-14T05:37:51.000Z | 2020-12-14T05:37:51.000Z | ---
title: 'Azure AD Connect: Hybrid identity considerations for Azure Government'
description: Special considerations for deploying Azure AD Connect with the government cloud.
services: active-directory
author: billmath
manager: daveba
ms.service: active-directory
ms.workload: identity
ms.topic: article
ms.date: 04/14/2020
ms.subservice: hybrid
ms.author: billmath
ms.collection: M365-identity-device-management
---
# Hybrid identity considerations for Azure Government
The following document describes the considerations for implementing a hybrid environment with the Azure Government cloud. This information is provided as reference for administrators and architects who are working with the Azure Government cloud.
> [!NOTE]
> In order to integrate an on-premises AD environment with the Azure Governemnt cloud, you need to upgrade to the latest release of [Azure AD Connect](https://www.microsoft.com/download/details.aspx?id=47594).
> [!NOTE]
> For a full list of U.S. Government DoD Endpoints, refer to the [documentation](https://docs.microsoft.com/office365/enterprise/office-365-u-s-government-dod-endpoints)
## Pass-Through Authentication
The following information is provided for implementation of pass-through authentication (PTA) and the Azure Government cloud.
### Allow access to URLs
Before deploying the pass-through authentication agent, verify if there is a firewall between your servers and Azure AD. If your firewall or proxy allows DNS whitelisting, add the following connections:
> [!NOTE]
> The following guidance also applies to installing the [Application Proxy connector](https://aka.ms/whyappproxy) for Azure Government environments.
|URL |How it's used|
|-----|-----|
|*.msappproxy.us *.servicebus.usgovcloudapi.net|Communication between the agent and the Azure AD cloud service |
|mscrl.microsoft.us:80 crl.microsoft.us:80 </br>ocsp.msocsp.us:80 www.microsoft.us:80| The agent uses these URLs to verify certificates.|
|login.windows.us secure.aadcdn.microsoftonline-p.com *.microsoftonline.us </br>*.microsoftonline-p.us </br>*.msauth.net </br>*.msauthimages.net </br>*.msecnd.net</br>*.msftauth.net </br>*.msftauthimages.net</br>*.phonefactor.net </br>enterpriseregistration.windows.net</br>management.azure.com </br>policykeyservice.dc.ad.msft.net</br>ctdl.windowsupdate.us:80| The agent uses these URLs during the registration process.|
### Install the agent for the Azure Government cloud
In order to install the agent for the Azure Government cloud, you must follow these specific steps:
In the command line terminal, navigate to folder where the executable for installing the agent is located.
Run the following command which specifies the installation is for Azure Government.
For Passthrough Authentication:
```
AADConnectAuthAgentSetup.exe ENVIRONMENTNAME="AzureUSGovernment"
```
For Application Proxy:
```
AADApplicationProxyConnectorInstaller.exe ENVIRONMENTNAME="AzureUSGovernment"
```
## Single sign on
Set up your Azure AD Connect server: If you use Pass-through Authentication as your sign-in method, no additional prerequisite check is required. If you use password hash synchronization as your sign-in method, and if there is a firewall between Azure AD Connect and Azure AD, ensure that:
- You use version 1.1.644.0 or later of Azure AD Connect.
- If your firewall or proxy allows DNS whitelisting, add the connections to the *.msapproxy.us URLs over port 443. If not, allow access to the Azure datacenter IP ranges, which are updated weekly. This prerequisite is applicable only when you enable the feature. It is not required for actual user sign-ins.
### Rolling out seamless SSO
You can gradually roll out Seamless SSO to your users using the instructions provided below. You start by adding the following Azure AD URL to all or selected users' Intranet zone settings by using Group Policy in Active Directory:
https://autologon.microsoft.us
In addition, you need to enable an Intranet zone policy setting called Allow updates to status bar via script through Group Policy.
Browser considerations
Mozilla Firefox (all platforms)
Mozilla Firefox doesn't automatically use Kerberos authentication. Each user must manually add the Azure AD URL to their Firefox settings by using the following steps:
1. Run Firefox and enter about:config in the address bar. Dismiss any notifications that you see.
2. Search for the network.negotiate-auth.trusted-uris preference. This preference lists Firefox's trusted sites for Kerberos authentication.
3. Right-click and select Modify.
4. Enter https://autologon.microsoft.us in the field.
5. Select OK and then reopen the browser.
### Microsoft Edge based on Chromium (all platforms)
If you have overridden the `AuthNegotiateDelegateAllowlist` or the `AuthServerAllowlist` policy settings in your environment, ensure that you add Azure AD's URL (https://autologon.microsoft.us) to them as well.
### Google Chrome (all platforms)
If you have overridden the `AuthNegotiateDelegateWhitelist` or the `AuthServerWhitelist` policy settings in your environment, ensure that you add Azure AD's URL (https://autologon.microsoft.us) to them as well.
## Next steps
[Pass-through Authentication](how-to-connect-pta-quick-start.md#step-1-check-the-prerequisites)
[Single Sign-on](how-to-connect-sso-quick-start.md#step-1-check-the-prerequisites)
| 66.382716 | 422 | 0.791891 | eng_Latn | 0.987423 |
1459226ff0b4f04fea244871a1988e824697dad2 | 1,291 | md | Markdown | guide/arabic/go/installing-go/windows-installer/index.md | smonem/freeCodeCamp | f03f05d53de38fbc84ba50f1b6ee156e77959698 | [
"BSD-3-Clause"
] | 2 | 2020-04-05T02:41:29.000Z | 2021-01-30T12:01:55.000Z | guide/arabic/go/installing-go/windows-installer/index.md | smonem/freeCodeCamp | f03f05d53de38fbc84ba50f1b6ee156e77959698 | [
"BSD-3-Clause"
] | 12 | 2020-09-06T12:45:38.000Z | 2022-01-22T08:11:07.000Z | guide/arabic/go/installing-go/windows-installer/index.md | smonem/freeCodeCamp | f03f05d53de38fbc84ba50f1b6ee156e77959698 | [
"BSD-3-Clause"
] | 1 | 2020-07-31T21:22:18.000Z | 2020-07-31T21:22:18.000Z | ---
title: Installing Go in Windows using the MSI Installer
localeTitle: تثبيت Go في Windows باستخدام MSI Installer
---
### تثبيت Go في Windows باستخدام MSI Installer
من [صفحة تنزيل golang](https://golang.org/dl/) ، احصل على مثبت Windows MSI وقم بتشغيله. سيكون عليك الاختيار بين الإصدارات 64 بت و 32 بت. إذا كنت لا تعرف البنية التي يعمل بها إصدار Windows ، فقم بإجراء بحث سريع على Google لمعرفة ذلك.
> معظم الإصدارات الحالية من Windows هي 64 بت ، لذا يجب أن تكون موافقًا للحصول على الإصدار 64 بت في قسم التنزيلات المميز ، ولكن إذا كان الكمبيوتر قديمًا ، فيجب أن يكون الإصدار 32 بت هو الرهان الأكثر أمانًا.
##### 64-بت Windodows المثبت

##### 32-بت Windodows المثبت

#### تحقق من التثبيت وإصدار من الذهاب
للتحقق مما إذا تم تشغيل go بنجاح ، افتح موجه الأوامر واستخدم:
```
> go version
```
يجب أن يطبع هذا إلى إصدار وحدة التحكم ، بينما يتأكد في نفس الوقت من أن عملية التثبيت سارت بسلاسة. | 47.814815 | 232 | 0.763749 | arb_Arab | 0.972933 |
14593579e6679ac0af01492f142cdb791bf7240d | 1,611 | md | Markdown | docs/framework/unmanaged-api/fusion/iassemblyname-getname-method.md | erikly/docs | 3de58af074aadfc5ad44c6c7106a0531d7cfa3e3 | [
"CC-BY-4.0",
"MIT"
] | 1 | 2018-01-22T02:42:26.000Z | 2018-01-22T02:42:26.000Z | docs/framework/unmanaged-api/fusion/iassemblyname-getname-method.md | erikly/docs | 3de58af074aadfc5ad44c6c7106a0531d7cfa3e3 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/framework/unmanaged-api/fusion/iassemblyname-getname-method.md | erikly/docs | 3de58af074aadfc5ad44c6c7106a0531d7cfa3e3 | [
"CC-BY-4.0",
"MIT"
] | 1 | 2021-01-14T07:24:28.000Z | 2021-01-14T07:24:28.000Z | ---
title: "IAssemblyName::GetName Method"
ms.custom: ""
ms.date: "03/30/2017"
ms.prod: ".net-framework"
ms.reviewer: ""
ms.suite: ""
ms.technology:
- "dotnet-clr"
ms.tgt_pltfrm: ""
ms.topic: "reference"
api_name:
- "IAssemblyName.GetName"
api_location:
- "fusion.dll"
api_type:
- "COM"
f1_keywords:
- "IAssemblyName::GetName"
dev_langs:
- "C++"
helpviewer_keywords:
- "GetName method, IAssemblyName interface [.NET Framework debugging]"
- "IAssemblyName::GetName method [.NET Framework fusion]"
ms.assetid: 1dee9781-1cf3-48a9-a376-d18ea1f73280
topic_type:
- "apiref"
caps.latest.revision: 10
author: "rpetrusha"
ms.author: "ronpet"
manager: "wpickett"
---
# IAssemblyName::GetName Method
Gets the simple, unencrypted name of the assembly referenced by this [IAssemblyName](../../../../docs/framework/unmanaged-api/fusion/iassemblyname-interface.md) object.
## Syntax
```
HRESULT GetName (
[in, out] LPDWORD lpcwBuffer,
[out] WCHAR *pwzName
);
```
#### Parameters
`lpcwBuffer`
[in, out] The size of `pwzName` in wide characters, including the null terminator character.
`pwzName`
[out] A buffer to hold the name of the referenced assembly.
## Requirements
**Platforms:** See [System Requirements](../../../../docs/framework/get-started/system-requirements.md).
**Header:** Fusion.h
**.NET Framework Versions:** [!INCLUDE[net_current_v20plus](../../../../includes/net-current-v20plus-md.md)]
## See Also
[IAssemblyName Interface](../../../../docs/framework/unmanaged-api/fusion/iassemblyname-interface.md)
| 26.409836 | 170 | 0.679081 | yue_Hant | 0.444289 |