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
sequencelengths
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
sequencelengths
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
sequencelengths
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
2277f79a655b9f7f9b1de45c437cc49c7ac01a5b
6,936
md
Markdown
README.md
WegenenVerkeer/RxHttpClient
a53fd6f37e00ba5f812ffe2d50721fe166bdf729
[ "MIT" ]
6
2015-10-27T16:34:11.000Z
2020-09-19T02:01:45.000Z
README.md
WegenenVerkeer/RxHttpClient
a53fd6f37e00ba5f812ffe2d50721fe166bdf729
[ "MIT" ]
18
2015-03-24T16:09:14.000Z
2019-06-27T13:56:24.000Z
README.md
WegenenVerkeer/RxHttpClient
a53fd6f37e00ba5f812ffe2d50721fe166bdf729
[ "MIT" ]
7
2015-06-29T08:06:04.000Z
2018-11-16T16:01:47.000Z
# A Reactive HTTP Client. [![Build Status](https://travis-ci.org/WegenenVerkeer/RxHttpClient.png?branch=develop)](https://travis-ci.org/WegenenVerkeer/RxHttpClient) This HTTP Client wraps the excellent [AsyncHttpClient](https://github.com/AsyncHttpClient/async-http-client) (AHC) so that Observables are returned, and a number of best practices in RESTful integration are enforced. # Version 2.x ## Overview of changes - `RxHttpClient` is now an interface that exposes an API based on [Reactive Streams](https://github.com/reactive-streams/reactive-streams-jvm). This API is intended as a foundation for interoperability. It is not to be used in client code - The primary implementation of `RxHttpClient` is `RxJavaHttpClient`, which is based on [RxJava 3](https://github.com/ReactiveX/RxJava) - A java-interop libraries contains implementations for Spring `Reactor` and the jdk9 `Flow` API - A scala `fs2` module, provides an alternative io.fs2.Streams-based API (see the [README](modules/fs2/README.md)) ## Design This version is built primarily on: - [AsyncHttpClient 2.x](https://github.com/AsyncHttpClient/async-http-client) - [RxJava 3.x](https://github.com/ReactiveX/RxJava) RxJava 3 is fully compatible with [Reactive Streams](https://github.com/reactive-streams/reactive-streams-jvm) which enables this library to work with with other Reactive-streams compatible libraries such as Reactor, Akka and FS2. Although the JDK9 Flow API is semantically equivalent to the Reactive-Streams API, *it does not implement the Reactive Streams API*. For this reason, the `FlowHttpClient` is not an implementor of the `RxHttpClient` interface. # User Guide ## The RxJavaHttpClient The intent is that your application uses one `RxJavaHttpClient` instance for each integration point (usually a REST service). Because creating an `RxJavaHttpClient` is expensive, you should do this only once in your application. As `RxJavaHttpClients` are limited to one service, we have natural bulkheads between integration points: errors and failures with respect to one integration point will have no direct effect on other integration points (at least if following the recommendations below). ### Creating an RxHttpClient An `RxJavaHttpClient` is created using the `RxHttpClient.Builder` as in this example for Java: RxJavaHttpClient client = new RxJavaHttpClient.Builder() .setRequestTimeout(REQUEST_TIME_OUT) .setMaxConnections(MAX_CONNECTIONS) .setConnectionTTL(60000) .setConnectionTimeout(1000) .setAccept("application/json") .setBaseUrl("http://example.com/api") .build(); ### Creating Requests REST Requests can be created using `ClientRequestBuilders` which in turn can be got from `RxHttpClient` instances, like so: ClientRequest request = client.requestBuilder() .setMethod("GET") .setUrlRelativetoBase(path) .addQueryParam("q", "test") .build(); `ClientRequest`s are immutable so can be freely shared across threads or (Akka) Actors. ## Executing Requests `RxHttpClient` has several methods for executing `ClientRequests`: + `executeToCompletion(ClientRequest, Function<ServerResponse, F>)` returns an `Observable<F>`. The second parameter is a function that decodes the `ServerResponse` to a value of type `F`. The returned `Observable` emits exactly one `F` before completing. In case of an error, it emits either an `HttpClientError` or `HttpServerError`. + `execute(ClientRequest, Function<ServerResponse, F>)` returns a `CompletableFuture<F>` with the response after being decoded by the function in the argument + `executeOservably(ClientRequest, Function<byte[], F>)` returns an `Observable<F>` that emits an `F` for each HTTP response part or chunk received. This is especially useful for processing HTTP responses that use chunked transfer encoding. Each chunk will be transformed to a value of `F` and directly emitted by the Observable. Notice that there is no guarantee that the received chunks correspond exactly to the chunks as transmitted. + `executeAndDechunk(ClientRequest, String)` returns an `Observable<String>` that emits a String whenever a separator String is observed in the received chunks. This is especially useful when chunked transfer encoding is used for server sent events (SSE) or other streaming data. All Observables returned by these methods are "Cold" Observables. This means that the `ClientRequest` is executed only when some Observer subscribes to the Observable. In fact, whenever an Observer subscribes to the Observable, the request is executed. ## Recommended usage To allow proper bulkheading between integration points and the rest of your application, you should follow these recommendations: + Set the maximum number of Connections using method `RxHttpClient.Builder().setMaxConnections(int)` so that one misbehaving integration doesn't start exhausting server resources + Set an explicit Connection Time-To-Live (TTL) using method `RxHttpClient.builder().setConnectionTTL(int)`. This ensures that connections are regularly recreated which is a good thing in dynamic (clooud) environments + Ensure you have an appropriate Connection Timeout set using `RxHttpClient.Builder().setConnectionTimeout(int)`. The default is set to 5 seconds. + Ensure you have appropriate Request Timeouts and Read Timeouts set. The default for both is 1 min. These time outs ensures your application doesn't get stuck waiting for very slow or non-responsive servers. + Before discarding an `RxHttpClient` explicitly invoke the `RxHttpClient.close()` method its `ExecutorService` is closed and I/O threads are destroyed # Notes when upgrading from versions prior to 1.0 Since version 1.0, RxHttpClient uses AHC 2.6.x. or later. This implies a number of minor API changes w.r.t to the 0.x versions. API Changes: - The methods in ObservableBodyGenerators no longer declare that the throw `Exception`s - `ServerResponse#getResponseBody(String)` replaced by `ServerResponse#getResponseBody(String)` The following methods have been removed: - `RxHttpClient.Builder#setExecutorService()`. Replaced by `RxHttpClient.Builder#setThreadFactory()` - `RxHttpClient.Builder#setHostnameVerifier()` - `RxHttpClient.Builder#setUseRelativeURIsWithConnectProxies()` The following methods have been deprecated: - `ClientRequest#getContentLength()` - `RxHttpClient.Builder#setAllowPoolingConnections(boolean)`: use `setKeepAlive()` - `RxHttpClient.Builder#setAcceptAnyCertificate(boolean)`: use `RxHttpClient.Builder#setUseInsecureTrustManager(boolean)` - `RxHttpClient.Builder setDisableUrlEncodingForBoundedRequests(boolean)`: use ` RxHttpClient.Builder#setDisableUrlEncodingForBoundRequests(boolean)`
54.614173
160
0.765571
eng_Latn
0.968551
22781ed732da36e4401f0726e98e7b5cc53013e6
73
md
Markdown
simple/top/second/third/bottom.md
tpansino/mdtocf
b227a2c5e0d2d868afe1441440d2c5ee2e441646
[ "MIT" ]
1
2021-05-03T23:44:24.000Z
2021-05-03T23:44:24.000Z
simple/top/second/third/bottom.md
benwart/mdtocf
b227a2c5e0d2d868afe1441440d2c5ee2e441646
[ "MIT" ]
null
null
null
simple/top/second/third/bottom.md
benwart/mdtocf
b227a2c5e0d2d868afe1441440d2c5ee2e441646
[ "MIT" ]
1
2020-07-23T22:31:53.000Z
2020-07-23T22:31:53.000Z
--- title: bottom shouldn't show up on top level --- bottom of the barrel
18.25
44
0.712329
eng_Latn
0.998802
227af13faf7a2ab7a37882570d055a37d306074b
1,841
md
Markdown
normal-labs/GSP093_Compute-Engine-Qwik-Start-Windows/README.md
Hsins/Qwiklabs-Challenges-Guide
1d9fe91a9e1f2a3d51e59d01e40cafcf80cad5c8
[ "MIT" ]
16
2021-06-28T02:19:25.000Z
2022-03-31T13:05:59.000Z
normal-labs/GSP093_Compute-Engine-Qwik-Start-Windows/README.md
Hsins/Qwiklabs-Challenges-Guide
1d9fe91a9e1f2a3d51e59d01e40cafcf80cad5c8
[ "MIT" ]
1
2022-02-09T08:58:15.000Z
2022-02-14T04:22:51.000Z
normal-labs/GSP093_Compute-Engine-Qwik-Start-Windows/README.md
Hsins/Qwiklabs-Challenges-Guide
1d9fe91a9e1f2a3d51e59d01e40cafcf80cad5c8
[ "MIT" ]
2
2021-11-18T14:16:15.000Z
2022-01-30T01:51:15.000Z
# GSP093 —— Compute Engine: Qwik Start - Windows <details> <summary> <strong>Table of Contents</strong> <small><em>(🔎 Click to expand/collapse)</em></small> </summary> - [Overview](#overview) - [Create Instance](#create-instance) - [Remote Desktop (RDP) into Window Server](#remote-desktop-rdp-into-window-server) - [References](#references) </details> ## Overview Compute Engine lets you create and run virtual machines on Google infrastructure. Compute Engine offers scale, performance, and value that allows you to easily launch large compute clusters on Google's infrastructure. You can run your Windows applications on Compute Engine and take advantage of many benefits available to virtual machine instances, such as reliable [storage options](https://cloud.google.com/compute/docs/disks/), the speed of the [Google network](https://cloud.google.com/vpc/docs/vpc), and [Autoscaling](https://cloud.google.com/compute/docs/autoscaler/). ## Create Instance 1. Click **Navigation Nenu** > **Compute Engine** > **VM instances**. 2. Click **CREATE INSTANCE**. 3. Configure the instance parameters. - **Image**: `Windows Server 2012 R2 Datacenter` 4. Click **Create**. ## Remote Desktop (RDP) into Window Server Before RDP into the Windows Server, we need to set password for logging. ```bash # set password for logging $ gcloud compute reset-windows-password <INSTANCE> \ --zone=<ZONE> \ --user=<USERNAME> ``` There're different ways to connect to the server through RDP: - [Chrome RDP for Google Cloud Platform](https://chrome.google.com/webstore/detail/chrome-rdp-for-google-clo/mpbbnannobiobpnfblimoapbephgifkm) - [CoRD](http://cord.sourceforge.net/) ## References - [Launch a Windows Server Instance, GCP Essentials - Qwiklabs Preview | YouTube](https://www.youtube.com/watch?v=EFPaP20APuw)
38.354167
357
0.738186
eng_Latn
0.367637
227b4cc4436bb320c3db26f7fe5ff5dc1738076f
213
md
Markdown
_devresources/lu_res.md
VipEr-sta/lusprojects.github.io
8345881912889f9128a6b18a01050f567e27ad25
[ "MIT" ]
5
2019-03-22T23:36:35.000Z
2022-02-14T21:32:14.000Z
_devresources/lu_res.md
VipEr-sta/lusprojects.github.io
8345881912889f9128a6b18a01050f567e27ad25
[ "MIT" ]
9
2018-09-01T21:51:24.000Z
2021-12-26T16:11:50.000Z
_devresources/lu_res.md
VipEr-sta/lusprojects.github.io
8345881912889f9128a6b18a01050f567e27ad25
[ "MIT" ]
20
2018-07-12T04:00:16.000Z
2021-10-12T12:26:03.000Z
--- name: LU Res status: Active Development language: Raw Data tag: General desc: Preprocessed LU Game Data for Web links: [['GitHub', 'https://github.com/Xiphoseer/lu-res', 'fab fa-github']] author: Xiphoseer ---
23.666667
75
0.723005
kor_Hang
0.272343
227b56dcb99eb4222311bc61c7bf8a4aa9bcd7ec
4,610
md
Markdown
content/references/rippled-api/public-rippled-methods/account-methods/account_currencies.zh.md
maybeTomorrow/xrpl-dev-portal
40507c25a6b30eeff1480c87b5a163898f4e8edf
[ "Apache-2.0" ]
null
null
null
content/references/rippled-api/public-rippled-methods/account-methods/account_currencies.zh.md
maybeTomorrow/xrpl-dev-portal
40507c25a6b30eeff1480c87b5a163898f4e8edf
[ "Apache-2.0" ]
null
null
null
content/references/rippled-api/public-rippled-methods/account-methods/account_currencies.zh.md
maybeTomorrow/xrpl-dev-portal
40507c25a6b30eeff1480c87b5a163898f4e8edf
[ "Apache-2.0" ]
null
null
null
--- html: account_currencies.html parent: account-methods.html blurb: Get a list of currencies an account can send or receive. --- # account_currencies [[Source]](https://github.com/ripple/rippled/blob/df966a9ac6dd986585ecccb206aff24452e41a30/src/ripple/rpc/handlers/AccountCurrencies.cpp "Source") `account_currencies`命令根据帐户的信任行检索帐户可以发送或接收的货币列表(这不是一个完全确定的列表,但可以用来填充用户界面。) ## Request Format 请求格式的示例: <!-- MULTICODE_BLOCK_START --> *WebSocket* ```json { "command": "account_currencies", "account": "r9cZA1mLK5R5Am25ArfXFmqgNwjZgnfk59", "strict": true, "ledger_index": "validated" } ``` *JSON-RPC* ```json { "method": "account_currencies", "params": [ { "account": "r9cZA1mLK5R5Am25ArfXFmqgNwjZgnfk59", "account_index": 0, "ledger_index": "validated", "strict": true } ] } ``` *Commandline* ```sh #Syntax: account_currencies account [ledger_index|ledger_hash] [strict] rippled account_currencies rG1QQv2nh2gr7RCZ1P8YYcBUKCCN633jCn validated strict ``` <!-- MULTICODE_BLOCK_END --> [Try it! >](websocket-api-tool.html#account_currencies) 请求包括以下参数: | `Field` | Type | Description | |:---------------|:---------------------------|:-------------------------------| | `account` | String | 帐户的唯一标识符,通常是帐户的[地址][]。| | `ledger_hash` | String | _(可选)_ 用于分类帐版本的20字节十六进制字符串(参见[分类帐][]) | | `ledger_index` | String or Unsigned Integer | _(可选)_ 要使用的分类帐的[分类帐索引][],或用于自动选择分类帐的快捷方式字符串。 (参见 [Specifying Ledgers][]) | | `strict` | Boolean | _(可选)_ 如果`true`,则`account`字段只接受公钥或XRP分类帐地址。否则,`帐户`可以是机密或密码短语(不推荐)。默认值为`false`。 | 以下字段已弃用,不应提供: `account_index`. ## Response Format 成功响应的示例: <!-- MULTICODE_BLOCK_START --> *WebSocket* ```json { "result": { "ledger_index": 11775844, "receive_currencies": [ "BTC", "CNY", "DYM", "EUR", "JOE", "MXN", "USD", "015841551A748AD2C1F76FF6ECB0CCCD00000000" ], "send_currencies": [ "ASP", "BTC", "CHF", "CNY", "DYM", "EUR", "JOE", "JPY", "MXN", "USD" ], "validated": true }, "status": "success", "type": "response" } ``` *JSON-RPC* ```json 200 OK { "result": { "ledger_index": 11775823, "receive_currencies": [ "BTC", "CNY", "DYM", "EUR", "JOE", "MXN", "USD", "015841551A748AD2C1F76FF6ECB0CCCD00000000" ], "send_currencies": [ "ASP", "BTC", "CHF", "CNY", "DYM", "EUR", "JOE", "JPY", "MXN", "USD" ], "status": "success", "validated": true } } ``` *Commandline* ```json { "result" : { "ledger_hash" : "F43A801ED4562FA744A35755B86BE898D91C5643BF499924EA3C69491B8C28D1", "ledger_index" : 56843649, "receive_currencies" : [ "USD" ], "send_currencies" : [ "NGN", "TRC" ], "status" : "success", "validated" : true } } ``` <!-- MULTICODE_BLOCK_END --> 响应遵循[标准格式][],成功的结果包含以下字段: | `Field` | Type | Description | |:---------------------|:---------------------------|:-------------------------| | `ledger_hash` | String - [Hash][] | (May be omitted) The identifying hash of the ledger version used to retrieve this data, as hex. | | `ledger_index` | Integer - [Ledger Index][] | The ledger index of the ledger version used to retrieve this data. | | `receive_currencies` | Array of Strings | Array of [Currency Code][]s for currencies that this account can receive. | | `send_currencies` | Array of Strings | Array of [Currency Code][]s for currencies that this account can send. | | `validated` | Boolean | If `true`, this data comes from a validated ledger. | **Note:** 账户可以发送或接收的货币是基于对其信托额度的检查来定义的。如果一个账户有一个货币的信托额度,并且有足够的空间增加其余额,它就可以收到该货币。如果信托额度的余额可以下降,账户就可以发送这种货币。此方法不检查信任行是[Frozed](freezes.html)还是已授权。 ## Possible Errors * 任何[通用错误类型][]。 * `invalidParams` - 一个或多个字段指定不正确,或者缺少一个或多个必需字段。 * `actNotFound` - 请求的`帐户`字段中指定的地址与分类帐中的帐户不对应。 * `lgrNotFound` - `ledger哈希`或`ledger索引`指定的分类帐不存在,或者确实存在,但服务器没有它。 {% include '_snippets/rippled-api-links.md' %}
25.75419
151
0.536443
yue_Hant
0.21648
227b80f46bb4829cc489c40071b29dec8a009358
1,035
md
Markdown
lang/en/docs/collaboration/actions/team/overview.md
Exabyte-io/documentation
b5057194376ed175d4dc5a5e6029931a2eed8820
[ "Apache-2.0" ]
1
2020-06-07T15:17:28.000Z
2020-06-07T15:17:28.000Z
lang/en/docs/collaboration/actions/team/overview.md
Exabyte-io/documentation
b5057194376ed175d4dc5a5e6029931a2eed8820
[ "Apache-2.0" ]
9
2021-03-31T03:26:42.000Z
2022-01-11T20:17:28.000Z
lang/en/docs/collaboration/actions/team/overview.md
Exabyte-io/documentation
b5057194376ed175d4dc5a5e6029931a2eed8820
[ "Apache-2.0" ]
null
null
null
# Team-related Actions !!!warning "Warning: content with restricted access" The information contained under the present documentation page is relevant for Owners or Administrators, since only they have sufficient rights to make the appropriate changes. The [Owner and Administrators](../../organizations/roles.md) of the parent [Organization](../../organizations/overview.md) can perform additional administrative actions with regards to its constituent [Teams](../../organizations/teams.md). They are listed below with links to their respective documentation pages: ## [Add or Remove Members](add-remove-member.md) The reader can find instructions on how to add or remove members to/from a Team [here](add-remove-member.md). ## [Add or Remove Entities](add-remove-entity.md) Entities can be added or removed from a Team following [this procedure](add-remove-entity.md). ## [Edit Permissions](edit-permissions.md) Editing the permissions attributed to Team entities is explained [here](edit-permissions.md).
51.75
314
0.768116
eng_Latn
0.996638
227cc2f8c53456c5e3a5bb63de48ca85e7603ebc
332
md
Markdown
split2/_posts/2020-01-12-ওম অমেয়াত্মানে নামায ১০৮ টাইমস.md
gbuk21/HinduGodsBengali
2ee8b5703e80b82dd48594da9747ae6c4ec66a32
[ "MIT" ]
null
null
null
split2/_posts/2020-01-12-ওম অমেয়াত্মানে নামায ১০৮ টাইমস.md
gbuk21/HinduGodsBengali
2ee8b5703e80b82dd48594da9747ae6c4ec66a32
[ "MIT" ]
null
null
null
split2/_posts/2020-01-12-ওম অমেয়াত্মানে নামায ১০৮ টাইমস.md
gbuk21/HinduGodsBengali
2ee8b5703e80b82dd48594da9747ae6c4ec66a32
[ "MIT" ]
null
null
null
--- layout: post last_modified_at: 2021-03-30 title: ওম অমেয়াত্মানে নামায ১০৮ টাইমস youtubeId: C1r_j2BoUcE --- ওম মহামালায়া নামায - যিনি খুব মালা পরেন {% include youtubePlayer.html id=page.youtubeId %} [Next]({{ site.baseurl }}{% link split2/_posts/2020-01-11-ওম দেবায় নামায ১০৮ টাইমস.md%})
11.857143
89
0.575301
ben_Beng
0.328024
227cf022747e097c39bb1f74556685e6c21a5391
464
md
Markdown
catalog/tatta-hitotsu-no-negai/en-US_tatta-hitotsu-no-negai.md
htron-dev/baka-db
cb6e907a5c53113275da271631698cd3b35c9589
[ "MIT" ]
3
2021-08-12T20:02:29.000Z
2021-09-05T05:03:32.000Z
catalog/tatta-hitotsu-no-negai/en-US_tatta-hitotsu-no-negai.md
zzhenryquezz/baka-db
da8f54a87191a53a7fca54b0775b3c00f99d2531
[ "MIT" ]
8
2021-07-20T00:44:48.000Z
2021-09-22T18:44:04.000Z
catalog/tatta-hitotsu-no-negai/en-US_tatta-hitotsu-no-negai.md
zzhenryquezz/baka-db
da8f54a87191a53a7fca54b0775b3c00f99d2531
[ "MIT" ]
2
2021-07-19T01:38:25.000Z
2021-07-29T08:10:29.000Z
# Tatta Hitotsu no, Negai. ![tatta-hitotsu-no-negai](https://cdn.myanimelist.net/images/manga/3/124029.jpg) - **type**: light-novel - **volumes**: 1 - **chapters**: 7 - **original-name**: たったひとつの、ねがい。 - **start-date**: 2011-11-22 ## Tags - drama - romance - slice-of-life - seinen ## Authors - Iruma - Hitoma (Story) - Ousaka - Nozomi (Art) ## Links - [My Anime list](https://myanimelist.net/manga/58475/Tatta_Hitotsu_no_Negai)
16.571429
80
0.622845
kor_Hang
0.05443
227dc9e17d0a804003bcc194b8dee059ff8efbc6
1,768
md
Markdown
_posts/2016-07-17-hello-dynamo.md
teocomi/teocomi.github.io
447c6bdc12108b00bcc1025e16b28858fd70d0ef
[ "MIT" ]
null
null
null
_posts/2016-07-17-hello-dynamo.md
teocomi/teocomi.github.io
447c6bdc12108b00bcc1025e16b28858fd70d0ef
[ "MIT" ]
null
null
null
_posts/2016-07-17-hello-dynamo.md
teocomi/teocomi.github.io
447c6bdc12108b00bcc1025e16b28858fd70d0ef
[ "MIT" ]
1
2020-04-30T15:48:03.000Z
2020-04-30T15:48:03.000Z
--- published: true layout: post date: 2016-06-11 categories: - dynamo tags: - dynamo - custom node --- [Dynamo](http://dynamobim.org/) is a really powerful tool, and it becomes even more powerful when extended through custom nodes. If you have some basic knowledge of .NET adding you own functionalities is actually [really simple](https://github.com/DynamoDS/Dynamo/wiki/How-To-Create-Your-Own-Nodes), the so called [Zero Touch Plugin Development](https://github.com/DynamoDS/Dynamo/wiki/Zero-Touch-Plugin-Development) lets you run any public static method in a dll from within Dynamo, isn't it great? Dynamo can also be customized by "proper" nodes that extend the ```:NodeModel``` class, these are quite more complicated to write, but allow for custom UI and other powerful features. I have written a sample Custom Node using this approach, as the documentation is not very extensive, check out the [Hello Dynamo repo](https://github.com/teocomi/HelloDynamo). ![](https://cloud.githubusercontent.com/assets/2679513/16582748/be9e36e4-42a8-11e6-8c0a-429c0caf0ef1.png) If you decide to go this route, please mind that the main function of a NodeModel, called ```BuildOutputAst``` does not calculate the output of the node itself, but instead it has to pass execution to another static function (in the form of a ```AstFactory.BuildFunctionCall```) that **has to live in a separate assembly**! As a matter of fact, whithin the NodeModel you won't even be able to easily access the input values, it took me really a long time to figure this out. On the other hand, custom nodes let you implement a WPF UI very easily, check the [HelloGui.cs](https://github.com/teocomi/HelloDynamo/blob/master/HelloDynamo/HelloNodeModel/HelloGui.cs) class for how to do this.
98.222222
687
0.776018
eng_Latn
0.988037
227e41f3fa2300a31e2400dd115ae2e06af83ac3
4,079
md
Markdown
README.md
LanFly/tGFX
4d3464c1fc741cc5832254448d11f5b7fabd6810
[ "Apache-2.0" ]
4
2020-10-30T09:10:19.000Z
2022-03-16T13:54:55.000Z
README.md
LanFly/tGFX
4d3464c1fc741cc5832254448d11f5b7fabd6810
[ "Apache-2.0" ]
null
null
null
README.md
LanFly/tGFX
4d3464c1fc741cc5832254448d11f5b7fabd6810
[ "Apache-2.0" ]
2
2020-06-19T14:45:47.000Z
2022-03-16T13:12:53.000Z
# tGFX [![Build Status](https://travis-ci.com/LanFly/tGFX.svg?branch=master)](https://travis-ci.com/LanFly/tGFX) ![./preview.png](./preview.png) **a tiny gfx library for tft/lcd/oled screen. Platform independent. etc.. C51, STM32, Arduino, Linux, Windows, MacOSX.** ## Document 中文文档: http://timor.tech/project/tGFX English: http://timor.tech/project/tGFX/en ## Issues https://github.com/LanFly/tGFX/issues ## Test There are no test cases now. But I will write it as soon as possible. ## Examples [gfx-demo-x86](examples/gfx-demo-x86): This is tGFX demo for x86 on MacOSX or Linux using X11. more [examples](examples/) are under development. ## Features - Simple and light weight (**This is important**) - Free and Open Source - Font support - Document support - Cross platform - No dependence - Support canvas rendering - Support real-time rendering (No canvas mode) - Monochrome, 565, RGB, RGBA color support (under development) ## How to use Font ```c #include "tGFX/565/font.h" // use 5*8 bitmap font. Font Name: FONT_5X8 #include "tGFX/font/5x8.h" tGFX_draw_text(canvas, 10, 110, "Hello tGFX!\n...", 16, &FONT_5X8, 0xffff); ``` ![./preview/font-5x7.png](./preview/font-5x7.png) ## How to start choose a color mode to use then include it. example: ```c #include "tGFX.h" #include "tGFX/565/basic.h" int main() { // use 565 color canvas. tGFX_Canvas *canvas = tGFX_create_canvas(128, 128, tGFX_COLOR_MODE565); tGFX_draw_pixel(canvas, 63, 63, 0xffff); return 0; } ``` ## Real-Time mode (No canvas mode) Use macro `tGFX_USE_REAL_TIME` to indicate that you want to use Real-Time mode. CMakeLists.txt ```cmake # using real-time drawing mode add_compile_definitions(tGFX_USE_REAL_TIME) ``` example: ```c #include "tGFX.h" #include "tGFX/565/basic.h" // TGFX will call this function in real time. void tGFX_draw_pixel(tGFX_Canvas *canvas, uint16_t x, uint16_t y, uint16_t color) { // overflow hidden. if (x > canvas->width || y > canvas->height) { return; } // you should drawing pixel(color) on position(x, y) here } int main() { // use 565 color canvas. tGFX_Canvas ncanvas; // ref ncanvas tGFX_Canvas *canvas = &ncanvas; // use tGFX_init_canvas replace tGFX_create_canvas tGFX_init_canvas(canvas, 128, 128, tGFX_COLOR_MODE565); tGFX_draw_line(canvas, 10, 10, 100, 30, 0x35d3); return 0; } ``` reference: [examples/gfx-real-time-demo-x86/](examples/gfx-real-time-demo-x86/) ## How to build We recommend using CMake to build your program. But you can still compile it manually. There are **2 parts of source code** that should be compiled into your program. - `tGFX.c` is always needed. It provides the main `tGFX_create_canvas` functions. - `src/tGFX/${color_mode}/*.c` also needed. It provides the set of drawing functions. example `tGFX_draw_pixel`. And don't forget to set the include path to `/path/to/tGFX/include`. ## How to build with CMake reference: [examples/gfx-demo-x86/CMakeLists.txt](examples/gfx-demo-x86/CMakeLists.txt) CMake Options: - tGFX_USE_COLOR_MODE description: which color mode to use. Only one color mode can be used at the same time by default. default value: 565 - tGFX_USE_TOOLS description: whether to include tools source file. default value: false ## How to develop and debug embedded program tGFX is platform independent. So you can develop and debug drawings code on PC, such as MacOSX, Linux, Windows. tGFX provides a demo of using X11 to debug drawings code on MacOSX. See [examples/gfx-demo-x86/README.md](examples/gfx-demo-x86/README.md) for details. ## How to contribution Any kind of contribution is welcome, such as new features, improvement, bug fix, document, translations, examples. tGFX is designed to be lightweight, fast, simple and independent. So we hope the code to be clean and friendly to read. Here are a few things to follow: - Code Style please run `./scripts/run-clang-format.sh` before committing your PR. ## Font List 1. FONT_5X8 ![./preview/font-5x7.png](./preview/font-5x7.png) more font under development
24.721212
151
0.726404
eng_Latn
0.914497
227e6ea8f716ef8bebd34806195f5b4385a9d381
866
md
Markdown
README.md
glenngineer1/Math-testing
a52ea6d884b3032b5c59a5f84d70af43cba378d1
[ "MIT" ]
null
null
null
README.md
glenngineer1/Math-testing
a52ea6d884b3032b5c59a5f84d70af43cba378d1
[ "MIT" ]
null
null
null
README.md
glenngineer1/Math-testing
a52ea6d884b3032b5c59a5f84d70af43cba378d1
[ "MIT" ]
null
null
null
# Math-testing Instructions Your task is to download the stand-alone version of Jasmine and author failing unit tests for each of the functions listed below and then make each one pass. Unit Tests Write unit tests to check for the existence of the following functions: <!-- add() --> <!-- subtract() --> <!-- multiply() --> <!-- divide() --> <!-- square() --> <!-- squareRoot() --> Write unit tests that will verify the expected output of each of those functions. User Interface Create a user interface for a calculator. One text input and 6 buttons. The user will enter a number in the text input. The user will then press one of the buttons for an operation. The input field should be cleared so that a new number can be typed in. The user will then type in a new number and press enter. The resulting value of the operation should then be in the text input.
34.64
157
0.73903
eng_Latn
0.999028
227e8f3b55b0ad94e62fb4bb690ff94b295b7268
1,868
md
Markdown
site/content/_index.md
Vibe-Creative-Marketing/centraltucsonhomeservices
0fa0172d7acf661fac8dfd261a3fd98c309e20a6
[ "MIT" ]
null
null
null
site/content/_index.md
Vibe-Creative-Marketing/centraltucsonhomeservices
0fa0172d7acf661fac8dfd261a3fd98c309e20a6
[ "MIT" ]
null
null
null
site/content/_index.md
Vibe-Creative-Marketing/centraltucsonhomeservices
0fa0172d7acf661fac8dfd261a3fd98c309e20a6
[ "MIT" ]
null
null
null
--- title: Home Services You Can Trust. titlelarge: Home Services<br> You Can Trust. titlesmall: subtitle: Our team of professionals is fully licensed,<br>insured, and bonded in electrical services.<br>We also provide local handyman services<br>for nearly anything life throws at you! imagetiny: https://vibecdn.azureedge.net/cths/home-450.jpg images: https://vibecdn.azureedge.net/cths/home-700.jpg imagem: https://vibecdn.azureedge.net/cths/home-1000.jpg imagel: https://vibecdn.azureedge.net/cths/home-2000.jpg webptiny: https://vibecdn.azureedge.net/cths/home-450.webp webps: https://vibecdn.azureedge.net/cths/home-700.webp webpm: https://vibecdn.azureedge.net/cths/home-1000.webp webpl: https://vibecdn.azureedge.net/cths/home-2000.webp intro: heading: How many workers does it take to screw in a lightbulb? text: Just one electrician from Central Tucson Home Services. service1: images: https://vibecdn.azureedge.net/cths/electric%20icon-500.png webpS: https://vibecdn.azureedge.net/cths/electric%20icon-500.webp alt: "electric icon" heading: "Electrical Services" text: "For electrical home repairs, upgrades, or solutions, receive safe and reliable service with unmatched quality. Our team is the most trusted and affordable electrical service company in Tucson." link: "/electrical" button: "Learn More" service2: imageS: https://vibecdn.azureedge.net/cths/home-services-icon-500.png webpS: https://vibecdn.azureedge.net/cths/home-services-icon-500.webp alt: "Construction Icon" heading: "Home Services" text: "A company built by native Tucson residents, our goal is to help you and the community. At Central Tucson Home Services, receive high-quality house services from people you can trust!" link: "/services" button: "Learn More" review: heading: What Our Customers Say text: ---
49.157895
204
0.75803
eng_Latn
0.582588
227f18431f07e27e90b08d14fccb55627573fc74
1,576
markdown
Markdown
_kb/2019-01-22-ruby-bundler-inline.markdown
webgeistdev/website
43b950f1d2ca09e76d00d45e4f71cf5f43873570
[ "MIT" ]
null
null
null
_kb/2019-01-22-ruby-bundler-inline.markdown
webgeistdev/website
43b950f1d2ca09e76d00d45e4f71cf5f43873570
[ "MIT" ]
null
null
null
_kb/2019-01-22-ruby-bundler-inline.markdown
webgeistdev/website
43b950f1d2ca09e76d00d45e4f71cf5f43873570
[ "MIT" ]
null
null
null
--- layout: post title: "Bundler can be used without a gemfile" date: 2019-01-22 12:00:00 +0100 category: ruby --- I didn't know that up until now, but obviously, you can inline bundler within your ruby scripts. No need to have a dedicated Gemfile or to call bundler before calling your script. Just do: ```ruby require 'bundler/inline' gemfile do source 'https://rubygems.org' gem 'rest-client' end puts RestClient.get('https://news.ycombinator.com/') ``` You can see [the source on their GitHub repo][bundler-inline]. This becomes especially interesting not only for small scripts, but also to have small executable files, that behave like a regular executable. ### A small example Image being able to do this from your command line: ```bash $ weather berlin Today it is -2.51°C in Berlin with few clouds. ``` Easily done: ```ruby #!/usr/bin/env ruby require 'bundler/inline' gemfile do source 'https://rubygems.org' gem 'json' gem 'rest-client' end API_KEY = 'XXX' # put your api key here city = ARGV.count > 0 ? ARGV.first : 'Hamburg,de' body = RestClient.get("https://api.openweathermap.org/data/2.5/weather?q=#{city}&appid=#{API_KEY}&units=metric") response = JSON.parse(body) temp = response['main']['temp'] city = response['name'] weather = response['weather'][0]['description'] puts "Today it is #{temp}°C in #{city} with #{weather}." ``` Put this into a `weather` file, make it exectuable `chmod +x weather` and then put it into your `PATH` variable. [bundler-inline]: https://github.com/bundler/bundler/blob/master/lib/bundler/inline.rb
25.015873
112
0.719543
eng_Latn
0.931482
227f77f8f0fe3993c42644ef008ee00da0ee1807
683
md
Markdown
post/2001/08/2001-08-19-lovink-elektronische-einsamkeit-die-menschheit-ist-damit-beschaftigt-voran-zu-kommen-und-wird-unterstutzt-von-berater/index.md
heinzwittenbrink/lostandfound
064a52d0b795d5ad67219d8c72db7d18201cbea5
[ "CC0-1.0" ]
null
null
null
post/2001/08/2001-08-19-lovink-elektronische-einsamkeit-die-menschheit-ist-damit-beschaftigt-voran-zu-kommen-und-wird-unterstutzt-von-berater/index.md
heinzwittenbrink/lostandfound
064a52d0b795d5ad67219d8c72db7d18201cbea5
[ "CC0-1.0" ]
null
null
null
post/2001/08/2001-08-19-lovink-elektronische-einsamkeit-die-menschheit-ist-damit-beschaftigt-voran-zu-kommen-und-wird-unterstutzt-von-berater/index.md
heinzwittenbrink/lostandfound
064a52d0b795d5ad67219d8c72db7d18201cbea5
[ "CC0-1.0" ]
null
null
null
--- title: "" date: "2001-08-19" tags: - "uncategorized" --- [Lovink, Elektronische Einsamkeit](http://www.thing.desk.nl/bilwet/AgenturBilwet/ElektronischeEinsamkeit/Intro.txt): "Die Menschheit ist damit beschäftigt, voran zu kommen, und wird unterstützt von Beratern, Organisations-Spezialisten, Interdisziplinären, Fusionsbegleitern, help desks, Telefonauskünften, Folders. Das ist Lebenshilfe auf eine höhere sozial-ökonomischen Ebene gehoben, ³Service² genannt, und resultiert in längeren Wartezeiten plus überflüssigem Design. Das Unerträgliche daran ist das ³Wir-Gefühl², das für ³uns² gesorgt wird und das unseren Lebensproblemen mit ihrer Software geholfen werden kann."
75.888889
617
0.809663
deu_Latn
0.996298
227fe07af6212e665ce3cb19452c425c1469a627
1,342
md
Markdown
README.md
grtreexyz/WebpackFrame
e711e36a02d2bc65e8b4703646d4f629341d11d3
[ "ISC" ]
1
2019-08-14T10:13:58.000Z
2019-08-14T10:13:58.000Z
README.md
grtreexyz/WebpackFrame
e711e36a02d2bc65e8b4703646d4f629341d11d3
[ "ISC" ]
null
null
null
README.md
grtreexyz/WebpackFrame
e711e36a02d2bc65e8b4703646d4f629341d11d3
[ "ISC" ]
null
null
null
# webpack-vue-demo webpack-vue-demo webpack4 vue 脚手架 包括多页应用 ``` { "name": "Webpack4-Frame", "version": "0.1.0", "description": "Webpack4-Frame", "main": "index.js", "scripts": { "test": "echo \"Error: no test specified\" && exit 1", "build": "cross-env NODE_ENV=production webpack --progress --config ./config/webpack.prod.js", "dev": "cross-env NODE_ENV=development webpack-dev-server --open --hot --progress --config ./config/webpack.dev.js" }, "author": "shuchong.luan", "license": "ISC", "devDependencies": { "babel-core": "^6.26.3", "babel-loader": "^7.1.5", "babel-preset-env": "^1.7.0", "babel-preset-react": "^6.24.1", "clean-webpack-plugin": "^1.0.0", "cross-env": "^5.2.0", "css-loader": "*", "glob": "^7.1.3", "html-webpack-plugin": "^3.2.0", "mini-css-extract-plugin": "^0.5.0", "node-sass": "*", "optimize-css-assets-webpack-plugin": "^5.0.1", "sass-loader": "*", "style-loader": "*", "vue-loader": "*", "vue-style-loader": "^4.1.2", "vue-template-compiler": "*", "webpack": "^4.27.1", "webpack-cli": "^3.1.2", "webpack-dev-server": "^3.1.10", "webpack-merge": "^4.1.5" }, "dependencies": { "lodash": "^4.17.11" } } ```
25.807692
121
0.516393
kor_Hang
0.161067
22801c57ffa83891781da1f8b73cf57a39060651
111
md
Markdown
YouiToolkit.Tools/YouiToolkit.CodeBlock/README.md
MaQaQu/tool
00431743f3486834c972d6bb1905fcbf2564f716
[ "Unlicense" ]
null
null
null
YouiToolkit.Tools/YouiToolkit.CodeBlock/README.md
MaQaQu/tool
00431743f3486834c972d6bb1905fcbf2564f716
[ "Unlicense" ]
null
null
null
YouiToolkit.Tools/YouiToolkit.CodeBlock/README.md
MaQaQu/tool
00431743f3486834c972d6bb1905fcbf2564f716
[ "Unlicense" ]
null
null
null
# CodeBlock 输出软著的申请源码,包含`*.cs`、`*.xaml`文件,以及剔除通讯协议代码,输出为Markdown格式,请自行复制到Word文档。 ## 使用方法 编译后放到软件工程更目录运行即可。
12.333333
68
0.747748
yue_Hant
0.719652
2280a9c3df167b4e51b0bd127ab840fbf6176b5f
1,894
md
Markdown
Skype/SfbServer/help-topics/2019/planning/ms.lync.plan.MediationCollocation.md
isabella232/OfficeDocs-SkypeForBusiness.de-DE
36002f4e7303a572fe24c40db59e1ae6c48207d0
[ "CC-BY-4.0", "MIT" ]
null
null
null
Skype/SfbServer/help-topics/2019/planning/ms.lync.plan.MediationCollocation.md
isabella232/OfficeDocs-SkypeForBusiness.de-DE
36002f4e7303a572fe24c40db59e1ae6c48207d0
[ "CC-BY-4.0", "MIT" ]
1
2021-10-09T18:09:59.000Z
2021-10-09T18:09:59.000Z
Skype/SfbServer/help-topics/2019/planning/ms.lync.plan.MediationCollocation.md
isabella232/OfficeDocs-SkypeForBusiness.de-DE
36002f4e7303a572fe24c40db59e1ae6c48207d0
[ "CC-BY-4.0", "MIT" ]
null
null
null
--- title: Vermittlungskollocation (Planungstool) ms.reviewer: '' ms.author: v-cichur author: cichur manager: serdars audience: ITPro ms.topic: article f1.keywords: - CSH ms.custom: - ms.lync.plan.MediationCollocation - ms.lync.plan.MediationCollocation ms.prod: skype-for-business-itpro ms.localizationpriority: medium ms.assetid: 5ddc2ad3-9275-408a-a0ab-cc7a2c2d2fdc ROBOTS: NOINDEX, NOFOLLOW description: 'Der Vermittlungsserver ist standardmäßig mit dem Front-End-Server verbunden. Der Vermittlungsserver kann aus Leistungsgründen auch in einem eigenständigen Pool bereitgestellt werden, oder wenn Sie SIP-Trunking bereitstellen. In diesem Fall wird der eigenständige Pool dringend empfohlen. Die Kollokation in Skype for Business Server funktioniert genauso wie in Lync Server 2013. Weitere Informationen finden Sie in den folgenden Themen:' ms.openlocfilehash: b1a8c1652281240f24eb488931272ccf040166f8 ms.sourcegitcommit: 556fffc96729150efcc04cd5d6069c402012421e ms.translationtype: MT ms.contentlocale: de-DE ms.lasthandoff: 08/26/2021 ms.locfileid: "58580969" --- # <a name="mediation-collocation-planning-tool"></a>Vermittlungskollocation (Planungstool) Der Vermittlungsserver ist standardmäßig mit dem Front-End-Server verbunden. Der Vermittlungsserver kann aus Leistungsgründen auch in einem eigenständigen Pool bereitgestellt werden, oder wenn Sie SIP-Trunking bereitstellen. In diesem Fall wird der eigenständige Pool dringend empfohlen. Die Kollokation in Skype for Business Server funktioniert genauso wie in Lync Server 2013. Weitere Informationen finden Sie in den folgenden Themen: - [Unterstützte Serverkollocation in Lync Server 2013](/previous-versions/office/lync-server-2013/lync-server-2013-supported-server-collocation) - [Vermittlungsserverkomponente in Skype for Business Server](../../../plan-your-deployment/enterprise-voice-solution/mediation-server.md)
57.393939
451
0.82735
deu_Latn
0.945407
2281724965840289faef0b8527ea5e8de19d532b
6
md
Markdown
abc_m/md.md
Joaxin/PinsfloraABCs
e87dd9e1bec4fc034b84bab9b90bfdb555efc77b
[ "MIT" ]
null
null
null
abc_m/md.md
Joaxin/PinsfloraABCs
e87dd9e1bec4fc034b84bab9b90bfdb555efc77b
[ "MIT" ]
null
null
null
abc_m/md.md
Joaxin/PinsfloraABCs
e87dd9e1bec4fc034b84bab9b90bfdb555efc77b
[ "MIT" ]
null
null
null
# MD
2
4
0.333333
arb_Arab
0.665031
22821ea8a9b7aff5a58ab79c6b9d8dc0058d0114
1,265
md
Markdown
_posts/2018-07-30-yahoo-carnavi-is-useful-0730.md
cheerup459/cheerup459.github.io
d8eb1cd6c1df7a4da3eadbdf481a673c8e929f9e
[ "MIT" ]
8
2018-07-11T09:57:56.000Z
2018-07-30T12:43:31.000Z
_posts/2018-07-30-yahoo-carnavi-is-useful-0730.md
cheerup459/cheerup459.github.io
d8eb1cd6c1df7a4da3eadbdf481a673c8e929f9e
[ "MIT" ]
74
2018-07-11T10:43:59.000Z
2018-08-21T09:14:29.000Z
_posts/2018-07-30-yahoo-carnavi-is-useful-0730.md
cheerup459/cheerup459.github.io
d8eb1cd6c1df7a4da3eadbdf481a673c8e929f9e
[ "MIT" ]
7
2018-07-13T02:34:03.000Z
2021-01-27T07:42:02.000Z
--- title: 【通行止めチェックはどうする?】 excerpt: 被災地周辺の道路はまだ通行止めなどで通れない箇所があります。それを知るために便利なアプリ、サイトをご紹介します。 category: - ツール tag: - 通行止め情報 - 交通情報 - Yahoo!カーナビ date: 2018-07-30 14:50:09 +0900 last_modified_at: 2018-07-30 14:50:09 +0900 header: overlay_image: /assets/images/yahoocarnavi.jpg overlay_filter: 0.5 sidemenu: nav: posts-menu --- 被災地にボランティにに行く方、また被災地周辺にお住まいの方には、道路の通行止め情報が不可欠です。 チェックに便利なアプリやサイトをご紹介します! ## 現地の地理に不案内の方は「Yahoo!カーナビ」 [Yahoo!カーナビ](https://carnavi.yahoo.co.jp/promo/)は、毎日通行止情報を更新しており、地図でぱっと通行止め箇所がみれるので、地元の地理に不案内の方にはおすすめです。 ![Yahoo!カーナビ](https://cheerup-ehime.github.io/assets/images/yahoocarnavi.jpg) ## 地元の方に向けには「本日の規制情報」 [四国地方整備局](http://www.skr.mlit.go.jp/road/info/index.html)では、地図上で通行止めの箇所をチェックすることができますが、GoogleマップやYahoo!地図と比べるとスマホでの利用しにくいのは否めません。 そんな場合は、メニューの一つである**本日の規制情報**の画面を直接見てしまって、一覧で規制箇所をチェックしましょう!! [四国地方整備局の本日の規制情報](https://www.skr.mlit.go.jp/road/info/Plist1.html?dummy=1423719387915)をダイレクトに表示してもらうと、一覧で通行止め箇所の地名を一覧表示できるので、地図でわざわざ拡大する必要もなく便利です。 他に便利なツールをご存知な方がいらっしゃったら、是非とも教えてくださいませ!! **情報元**: [https://cheerup-ehime.github.io/%E4%BA%A4%E9%80%9A%E6%83%85%E5%A0%B1/how-to-know-route-avoid-blocked/](https://cheerup-ehime.github.io/%E4%BA%A4%E9%80%9A%E6%83%85%E5%A0%B1/how-to-know-route-avoid-blocked/)
32.435897
215
0.773913
yue_Hant
0.362876
228221ead3da4dd8030062aa2cdb13f2cf6ea234
1,767
md
Markdown
_posts/2017-02-12-Retrospection#2-5.md
SongJongMun/SongJongMun.github.io
da6a2c0367ad6597c42b270e0f0b93cc027e90f3
[ "MIT" ]
null
null
null
_posts/2017-02-12-Retrospection#2-5.md
SongJongMun/SongJongMun.github.io
da6a2c0367ad6597c42b270e0f0b93cc027e90f3
[ "MIT" ]
null
null
null
_posts/2017-02-12-Retrospection#2-5.md
SongJongMun/SongJongMun.github.io
da6a2c0367ad6597c42b270e0f0b93cc027e90f3
[ "MIT" ]
null
null
null
--- layout: post title: "2017. 02. 12 BaseCamp에서의 회고 3-5주차" categories: [BaseCamp, Retorspection] tags: [BaseCamp, Retrosepction] description: 회고회고 --- 2017. 02. 12 Retrospection Sprint #3-5 --- # 개발 3주차 - 5주차 Review... 프로젝트 구현이 본격적으로 시작되면서, 설계할 때 예상하지 못했던 이슈가 생겼다. 팀원들간의 구현 스타일(목표?) 따른 차이가 느껴지기 시작했다. 코드작성에 관해서는, 모든 팀원들의 대부분의 코딩컨벤션을 준수하는 것 같아 문제가 되지 않았지만 특정한 기능이 주어졌을 때 이것을 어떻게 구현하는가에 대한 생각의 차이가 조금씩 달랐다. 확실히 설계나 구현초기 보다는 구현 말기나 리팩토링, 테스트코드 작성 과정중에 진행하는 회의가 더 많았다. --- # Refactoring 구현이 어느정도 완성 된 후 리팩토링, 그 전에 테스트 코드를 작성하면서, 많은 갈등을 했다. 개인적으로 생각하는 리팩토링의 목표이자, 중심사항은 현재의 코드에 다음과 같은 속성을 입히는 것이라고 생각한다. > 1. 가독성 > > 2. 확장성과 폐쇄성 > > 3. 유연성 > > 4. 최대한 단순한 코드, 하나의 함수는 하나의 기능 리팩토링을 할 때 가장 고민이 되었던 것은 바로 `Naming Rule`이었다. 다른 사람들이 내가 작성한 코드를 이용할때, 함수명과 전달인자의 이름만 보고 어떤 것을 선택해야 할지 알 수 있는 것에 유의하며 작성하였다. 하지만 너무 함수명에 표현을 많이 하다보니(변수명 한개만 하더라도 10자가 훌쩍 넘는다) 함수명이나 변수명이 길어지는 단점이 있고 팀 내부적으로 표현하는 방식이 다르다 보니 통일되지 않은 함수명이 더러 보이기도 한다. 어느정도 코드와 팀원들의 리팩토링이 진행된다면 클래스명과 패키지명, 그리고 Spring 설정파일, 로그설정파일에서도 파일명 재구성과 재배치를 한번 건의해봐야겠다. --- # Test Code(With BDD) 개인적으로 우리팀이 다른 팀들과의 진행속도를 비교했을 때 가장 더뎌지게 한 원인이다(다른 팀이랑 자꾸 비교하면 안되는데) 물론 우리쪽의 방법이 아~주 틀린것은 아니라고 생각한다.(단위테스트 내용을 통합테스트로 구현했으니 말이다.) 이번에 진행한 리팩토링과 테스트 코드가 교육과정 중에 여러번, 명시적으로 등장하지 않겠지만 구현 과정중에도 꾸준히 수행해야 되는 과정일테고(특히 리팩토링은) 이미 처음의 반은 날린듯한 느낌이지만, 주말 내내 테스트 코드를 작성하고, 리팩토링 과정까지 같이 진행하다 보니 점점 속도가 붙는게 느껴졌다. 나는 이번에 다시 테스팅 코드를 작성할 떄 `Mockito - BDD(Behavior Driven Development)` 방식을 이용하여 단위테스트를 작성하였다. 루키사랑TF의 Pickle 프로젝트의 테스팅 코드를 참고했는데 많은 도움을 받았다. 특히, 오준영 사원과 서정원 인턴에게 많은 도움을 받았다, 그리고 사랑TF의 테스팅 코드를 리뷰하면서 잘못된 코드를 찾게 되었고, 알려줄 수 있었다. 덕분에 코드를 간단하게, 효율적으로 작성할 수 있었고, 주말에 나오지 못한 팀원들에게 (혹시라도 테스트코드가 완성이 덜 되었다면) 이러한 방식을 이용하는것을 추천해야겠다. 내일 다시 한번 완성된 코드를 서버에서 돌릴 수 있고, oAuth 구현에 전념할 수 있었으면 좋겠다. --- #### oAuth(는 언제해...)
23.878378
109
0.70232
kor_Hang
1.00001
228224c9304d0f12a0d7ad5ecca231ca4f3924df
1,968
md
Markdown
source/Kari.Plugins/Flags/README.md
AntonC9018/Kari
b12d9c1868d5c462588874beda503c42da080f8e
[ "MIT" ]
14
2021-09-16T07:33:46.000Z
2022-03-22T23:27:13.000Z
source/Kari.Plugins/Flags/README.md
AntonC9018/Kari
b12d9c1868d5c462588874beda503c42da080f8e
[ "MIT" ]
null
null
null
source/Kari.Plugins/Flags/README.md
AntonC9018/Kari
b12d9c1868d5c462588874beda503c42da080f8e
[ "MIT" ]
1
2021-09-22T13:21:18.000Z
2021-09-22T13:21:18.000Z
# Flags This is a Kari plugin for generating helper methods for flag enums. ## Features After running this plugin, all enums marked with `[NiceFlags]` will be generated useful extension methods for: - `HasFlag` is not generated, since it is already available transitively via `[System.Flags]`. - `HasEitherFlag`, which checks for intersection between the given flag sets. - `HasNeitherFlag`, which is the negation of `HasEitherFlag`. - `Set` and `Unset`, which sets, either conditionally or directly, on or off a spefic set of flags, mutating the argument. - `WithSet` and `WithUnset`, which act like `Set` and `Unset`, but don't mutate the argument. - `GetBitCombinations` and `GetSetBits` which are perhaps too specific and will probably be removed later. ## Example Here's example code that I used in Unity. The usage is not good per say, perhaps setting a `dirty` flag would have been more efficient, but it's an example nonetheless. Here I only use the `!=` operator and the `Sync` method, but it also automatically gets a `==` operator, `GetHashCode`, `Copy` and `Equals` methods. ```C# using Kari.Plugins.DataObject; [Serializable] [DataObject] public partial class PhysicalBoardProperties { public float Spacing = 0.05f; public ushort Radius = 3; public ushort PanelNeckWidth = 1; public GameObject HexPrefab; public GameObject PanelHexPrefab; public float HalfWidth => HexVectorTransformations.sqrt3 * HalfHeight; public float Width => HexVectorTransformations.sqrt3 * Height; public float HalfHeight => 0.5f + Spacing; public float Height => 1.0f + Spacing * 2; } public class BoardManager : MonoBehaviour { [SerializeField] private PhysicalBoardProperties _props; private PhysicalBoardProperties _previousParams; // ... private void Update() { if (_previousParams != _props) { _board.Reset(); _previousParams.Sync(_props); } } } ```
32.8
148
0.718496
eng_Latn
0.988433
2282718021dc5e7c30ef110475279104cbe381d1
7,474
md
Markdown
pages/check/check_runtime.md
dsldevkit/dsldevkit.github.io
61063f1d17a1826f704ed537e53af3ba3dd8ed8a
[ "MIT", "BSD-3-Clause" ]
null
null
null
pages/check/check_runtime.md
dsldevkit/dsldevkit.github.io
61063f1d17a1826f704ed537e53af3ba3dd8ed8a
[ "MIT", "BSD-3-Clause" ]
4
2016-11-03T00:08:21.000Z
2022-02-26T02:06:44.000Z
pages/check/check_runtime.md
dsldevkit/dsldevkit.github.io
61063f1d17a1826f704ed537e53af3ba3dd8ed8a
[ "MIT", "BSD-3-Clause" ]
1
2017-08-22T13:35:13.000Z
2017-08-22T13:35:13.000Z
--- title: Check Language Runtime keywords: Check Runtime sidebar: mydoc_sidebar permalink: check_runtime.html folder: check --- Check runtime allowed dynamic loading of check projects. In this chapter we describe the API used by dynamically pluggable checks. Check catalog files within a check project generate code which is executed at run-time. One check catalog will result in half a dozen files being generated, whereas one of those represents the actual validator executed by the check run-time. We explain the derived resources of a check catalog by example. Assume we are about to write a Static Code Analysis library for our Format DSL. Here is a possible structure of an SCA plugin with one Check catalog. {% include image.html file="check/check_project.png" alt="Sample SCA project with one Check catalog" caption="SCA Project with FormatConventions Check catalog" %} ## Example In our example `FormatConventions` is an empty catalog ``` java package com.avaloq.tools.xtext.format.sca /** * Check catalog for com.avaloq.tools.ddk.xtext.format.Format */ catalog FormatConventions for grammar com.avaloq.tools.ddk.xtext.format.Format { } ``` **FormatConventionsQuickfixProvider.java** Check project wizard creates `FormatConventionsQuickfixProvider` is a stub for future Quck Fixes ``` java package com.avaloq.tools.xtext.format.sca; import com.avaloq.tools.ddk.check.runtime.quickfix.ICoreQuickfixProvider; /** * Default quickfix provider for FormatConventions. * <p> * Note that this class name must start with the catalog name and have <em>QuickfixProvider</em> * as suffix. It must be located in the same Java package as the catalog file. * </p> */ public class FormatConventionsQuickfixProvider implements ICoreQuickfixProvider { // @CoreFix(value = MyIssueCodes.NAME_ENTITY_0) // public void fixEntityNameFirstUpper(final Issue issue, // ICoreIssueResolutionAcceptor acceptor) { // acceptor.accept(issue, "Correct entity name", // "Correct name by setting first letter to upper case.", // null, new ICoreSemanticModification() { // public void apply(EObject element, ICoreModificationContext context) { // if (element instanceof Entity) { // final Entity entity = (Entity) element; // String newName = String.valueOf(entity.getName().charAt(0)).toUpperCase(); // if (entity.getName().length() > 1) { // newName += entity.getName().substring(1, entity.getName().length()); // } // entity.setName(newName); // } // } // }); // } } ``` As developers we only work with `*.check` and `*QuickfixProvider.java` files. The remainig glue code is generated by the DSL Developer Kit. ## Activation in IDE via plugin.xml Both `FormatConventions` catalog and `FormatConventionsQuickfixProvider` are registered using the generated plugin.xml. ``` xml <?xml version="1.0" encoding="UTF-8"?> <?eclipse version="3.4"?> <plugin> <extension id="com.avaloq.tools.xtext.format.sca.formatconventions.validator" name="Check extension for FormatConventions" point="com.avaloq.tools.ddk.check.runtime.core.check"> <validator catalog="com/avaloq/tools/xtext/format/sca/FormatConventions.check" language="com.avaloq.tools.ddk.xtext.format.Format" targetClass="com.avaloq.tools.xtext.format.sca.FormatConventionsCheckImpl"> </validator> </extension> <extension id="com.avaloq.tools.xtext.format.sca.formatconventions.quickfix" name="Check quickfix extension for FormatConventions" point="com.avaloq.tools.ddk.check.runtime.core.checkquickfix"> <provider language="com.avaloq.tools.ddk.xtext.format.Format" targetClass="com.avaloq.tools.xtext.format.sca.FormatConventionsQuickfixProvider"> </provider> </extension> <extension id="com.avaloq.tools.xtext.format.sca.formatconventions.preference" name="Preferences extension for FormatConventions" point="org.eclipse.core.runtime.preferences"> <initializer class="com.avaloq.tools.xtext.format.sca.FormatConventionsPreferenceInitializer"> </initializer> </extension> <extension name="Context sensitive help for check" point="org.eclipse.help.contexts"> <contexts file="docs/contexts.xml"> </contexts> </extension> <extension name="Help extension for Check" point="org.eclipse.help.toc"> <toc file="docs/toc.xml" primary="false"> </toc> </extension> </plugin> ``` Notice the important extension points used to contribute checks - com.avaloq.tools.ddk.check.runtime.core.check - com.avaloq.tools.ddk.check.runtime.core.checkquickfix - org.eclipse.core.runtime.preferences {% include note.html content="If your checks are not executed, verify that the extnsions are correctly registered." %} ## Activation in standalone builder For headless standalone builder Check catalog is also registered as a service for a non-OSGi environment. Each check project has the following file ``` META-INF/services/com.avaloq.tools.ddk.check.runtime.registry.ICheckValidatorStandaloneSetup ``` For our example this files contains only one service implementation registered ``` com.avaloq.tools.xtext.format.sca.FormatConventionsStandaloneSetup ``` which is used to initialize our catalog for a standalone builder. Here is a sample of generated standalone setup ``` java package com.avaloq.tools.xtext.format.sca; import org.apache.log4j.Logger; import com.avaloq.tools.ddk.check.runtime.configuration.ModelLocation; import com.avaloq.tools.ddk.check.runtime.registry.ICheckCatalogRegistry; import com.avaloq.tools.ddk.check.runtime.registry.ICheckValidatorRegistry; import com.avaloq.tools.ddk.check.runtime.registry.ICheckValidatorStandaloneSetup; /** * Standalone setup for FormatConventions as required by the standalone builder. */ @SuppressWarnings("nls") public class FormatConventionsStandaloneSetup implements ICheckValidatorStandaloneSetup { private static final Logger LOG = Logger.getLogger(FormatConventionsStandaloneSetup.class); private static final String GRAMMAR_NAME = "com.avaloq.tools.ddk.xtext.format.Format"; private static final String CATALOG_FILE_PATH = "com/avaloq/tools/xtext/format/sca/FormatConventions.check"; /** {@inheritDoc} */ public void doSetup() { ICheckValidatorRegistry.INSTANCE.registerValidator(GRAMMAR_NAME, new FormatConventionsCheckImpl()); ICheckCatalogRegistry.INSTANCE.registerCatalog(GRAMMAR_NAME, new ModelLocation( FormatConventionsStandaloneSetup.class.getClassLoader().getResource(CATALOG_FILE_PATH), CATALOG_FILE_PATH)); LOG.info("Standalone setup done for com/avaloq/tools/xtext/format/sca/FormatConventions.check"); } @Override public String toString() { return "CheckValidatorSetup(/resource/com.avaloq.tools.xtext.format.sca/src/com/avaloq/tools/xtext/format/sca/FormatConventions.check)"; } } ``` As you can notice standalone setup similarly to `plugin.xml` registers `FormatConventionsCheckImpl` as a validator for the Format language.
36.637255
163
0.716484
eng_Latn
0.648894
2282b74a06cc40f0b9fa3b7f410fc20129aca9b6
1,996
md
Markdown
README.md
tawneeh/PierresTreats.Solution
876275b9e4daf6961e36cea98ba6e45b96296b2c
[ "MIT" ]
null
null
null
README.md
tawneeh/PierresTreats.Solution
876275b9e4daf6961e36cea98ba6e45b96296b2c
[ "MIT" ]
null
null
null
README.md
tawneeh/PierresTreats.Solution
876275b9e4daf6961e36cea98ba6e45b96296b2c
[ "MIT" ]
null
null
null
# _Pierre's Sweet and Savory Treats_ #### _C# Identity Solo Project For Epicodus_ #### _DATE 01.15.2021_ #### By _**Tawnee Harris**_ ## Description This application will allow users to log in and create, update, and delete instances of treats and flavors. ## Setup/Installation Requirements Software Requirements * An internet browser of your choice; I prefer Chrome * A code editor; I prefer VSCode * .NET Core * MySQL * MySQL Workbench Open by Downloading or Cloning * Navigate to <https://github.com/tawneeh/PierresTreats.Solution.git> * Download this repository to your computer by clicking the green Code button and 'Download Zip' * Or clone the repository AppSettings * This project requires an AppSettings file. Create your `appsettings.json` file in the main `PierresTreats` directory. * Format your `appsettings.json` file as follows including your unique password that was created at MySqlWorkbench installation: ``` { "ConnectionStrings":{ "DefaultConnection": "Server=localhost;Port=3306;database=tawnee_harris_1;uid=root;pwd=<YourPassword>;" } } ``` * Update the Server, Port, and User ID as needed. Import Database using Entity Framework Core * Navigate to PierresTreats.Solution/PierresTreats and type `dotnet ef database update` into the terminal to create your database tables. Launch this Application * Navigate to PierresTreats.Solution/PierresTreats and type `dotnet restore` into the terminal * Then, in the same project folder, type `dotnet build` into the terminal followed by `dotnet run` * Peruse this application at your leisure ## Known Bugs This application has no known bugs. ## Support and contact details Please feel free to reach out to Tawnee anytime at <[email protected]> ## Technologies Used * C# * Razor * Entity Framework Core * MySql * MySql Workbench * Identity ### License [![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg)](https://opensource.org/licenses/MIT) Copyright (c) 2021 **_Tawnee Harris_**
29.791045
137
0.764028
eng_Latn
0.938914
228320c7c57a13a2e1db53499778473b3bec5b21
48
md
Markdown
README.md
dtg5/homework1
cb35562ad06db58274080095a497c3ef95178391
[ "Unlicense" ]
null
null
null
README.md
dtg5/homework1
cb35562ad06db58274080095a497c3ef95178391
[ "Unlicense" ]
null
null
null
README.md
dtg5/homework1
cb35562ad06db58274080095a497c3ef95178391
[ "Unlicense" ]
null
null
null
# homework1 First CS 336 homework assignment...
16
35
0.770833
eng_Latn
0.572544
2284a8827c64404d4036b3f563118cddd6e6f437
532
md
Markdown
_posts/monsters/2021-02-19-bear-grizzly.md
krmaxwell/intotheodd
fa972a1d81a1796bb70602d221b75056b045fc05
[ "CC0-1.0" ]
4
2020-08-31T16:18:00.000Z
2021-02-19T02:50:12.000Z
_posts/monsters/2021-02-19-bear-grizzly.md
krmaxwell/intotheodd
fa972a1d81a1796bb70602d221b75056b045fc05
[ "CC0-1.0" ]
null
null
null
_posts/monsters/2021-02-19-bear-grizzly.md
krmaxwell/intotheodd
fa972a1d81a1796bb70602d221b75056b045fc05
[ "CC0-1.0" ]
6
2020-08-28T08:40:45.000Z
2022-02-01T17:01:50.000Z
--- layout: entry category: monsters name: Bear, Grizzly stats: 6 HP, 15 STR, claws (d8) subtext1: " • Aggressive, 9’ tall reddish-brown furred bears who live in mountains. Prefer to eat meat." subtext2: " • Frequently are found sleeping." subtext3: subtext4: author: xenio inspiration: TSR Monsters inspiration_source: https://oldschoolessentials.necroticgnome.com/srd/index.php/Monster_Descriptions source: xenio in a bottle source_url: https://xenioinabottle.blogspot.com/2021/02/classic-monsters-for-cairnito-part-1.html ---
33.25
104
0.778195
eng_Latn
0.515848
22852a165676cb3607a6a5d11f36d6b0998d2096
50
md
Markdown
README.md
fschroeder/sdc_lane_detection
5d07924dbecb97270dd05af8a564617875197163
[ "MIT" ]
null
null
null
README.md
fschroeder/sdc_lane_detection
5d07924dbecb97270dd05af8a564617875197163
[ "MIT" ]
null
null
null
README.md
fschroeder/sdc_lane_detection
5d07924dbecb97270dd05af8a564617875197163
[ "MIT" ]
null
null
null
# Lane Detection for Self-Driving Cars Under Work
16.666667
38
0.8
eng_Latn
0.879862
22855e7a8f1a312ee2d2f2ab9398fc3974497dcb
553
md
Markdown
content/gallery/digital/2019/05/04/2019-05-04-may-4th.zh.md
Nianze/Nianze.github.io
a127c8ef2be5b2f446fe70af7f6e07b6280aca46
[ "Apache-2.0" ]
null
null
null
content/gallery/digital/2019/05/04/2019-05-04-may-4th.zh.md
Nianze/Nianze.github.io
a127c8ef2be5b2f446fe70af7f6e07b6280aca46
[ "Apache-2.0" ]
null
null
null
content/gallery/digital/2019/05/04/2019-05-04-may-4th.zh.md
Nianze/Nianze.github.io
a127c8ef2be5b2f446fe70af7f6e07b6280aca46
[ "Apache-2.0" ]
null
null
null
--- title: "[Weekly-1] May the 4th.." date: 2019-05-04 series: - weekly categories: - visual tags: - street photography slug: 2019 05 04 street photography autoThumbnailImage: true thumbnailImagePosition: right featured_image: 2019/05/04/thumbnail/union_sq.jpeg coverImage: /images/2019/05/04/union_sq.jpeg metaAlignment: center --- Weekly shots - May the 4th (be with you) <!--more--> 最近读了Twyla Tharp的[The Creative Habit](https://www.goodreads.com/book/show/254799.The_Creative_Habit),很受启发。我决定每天下班回家的时候,在纽约的街头多走走,用随身的手机街拍。每周六就节选出比较好的照片发到这里来,作为岁月的留念。
25.136364
164
0.781193
yue_Hant
0.226362
22878a33fd3c54bd0dcc44ff0cac1693d236b06f
42
md
Markdown
CONTRIBUTING.md
kk289/Predicting-Customer-Lifetime-Value_CLV
d19f105114f7fdff6e51a661e2a27671c07d1387
[ "MIT" ]
3
2020-10-12T20:17:53.000Z
2021-08-10T11:47:44.000Z
CONTRIBUTING.md
kk289/Predicting-Customer-Lifetime-Value_CLV
d19f105114f7fdff6e51a661e2a27671c07d1387
[ "MIT" ]
null
null
null
CONTRIBUTING.md
kk289/Predicting-Customer-Lifetime-Value_CLV
d19f105114f7fdff6e51a661e2a27671c07d1387
[ "MIT" ]
null
null
null
any suggestion, or need help? let me know
21
41
0.761905
eng_Latn
1.000007
2288b8f5eecdef42e037559b46b9356a72e1064a
1,284
md
Markdown
README.md
zzcabc/OpenWrtBuild
e7f6950602880a6034af8349ae628e52ab61c502
[ "MIT" ]
null
null
null
README.md
zzcabc/OpenWrtBuild
e7f6950602880a6034af8349ae628e52ab61c502
[ "MIT" ]
null
null
null
README.md
zzcabc/OpenWrtBuild
e7f6950602880a6034af8349ae628e52ab61c502
[ "MIT" ]
null
null
null
# OpenWrtBuild 精简自用 x84_64 本项目Fork p3terx ## 使用的源码 |源码|版本| |--|--| |[immortalwrt](https://github.com/immortalwrt/immortalwrt/tree/openwrt-18.06-k5.4)|18.06-k5.4| |[immortalwrt](https://github.com/immortalwrt/immortalwrt)|21.02| |[immortalwrt](https://github.com/immortalwrt/immortalwrt/tree/master)|master| |[lede](https://github.com/coolsnowwolf/lede)|master| ## 插件列表 |英文名称|中文名称| |--|--| |luci-app-argon-config|argon主题配置| |luci-app-autoreboot|定时重启| |luci-app-filetransfer|文件传输(默认)| |luci-app-firewall|防火墙(默认)| |luci-app-iptvhelper|iptv助手| |luci-app-mosdns|mosdns| |luci-app-nft-qos|QoS Nftables 版| |luci-app-openclash|openclash| |luci-app-passwall|passwall| |luci-app-smartdns|smartdns| |luci-app-ssr-plus|ssrplus| |luci-app-ttyd|网页的ssh| |luci-app-turboacc|turboacc| |luci-app-unblockneteasemusic|网易云解锁| |luci-app-upnp|端口转发| |luci-app-vlmcsd|Windows系统激活| |luci-app-webadmin|web管理| ## 改动 1. ip地址改为 `10.10.10.10` 2. 网卡驱动 `r8168` 3. 无线网卡驱动 `mt76x02` 4. 文本编辑 `vim和nano` 5. 默认 `启用NTP服务器` 6. dhcp配置启动 `顺序分配ip,不缓存dns` 7. turboacc只开启 `BBR拥塞控制算法` 8. 启动smartdns `6053端口为国内DNS,7053端口为国外DNS` 9. 关闭mosdns `使用自定义配置,端口为5335` 10. openclash `选择Redit-Host的TUN混合模式` 11. openclash `GEO数据库每周二0点更新` 12. openclash `集成dev内核、TUN内核、和Meta的alpha内核` 13. openclash `默认上游DNS为smartdns` 14. 默认 `关闭QoSNftables`
25.176471
94
0.75
yue_Hant
0.187941
2288c6dc053ff95d605b7a0fc77a88bf9a798110
5,999
md
Markdown
articles/supply-chain/warehousing/tasks/register-items-advanced-warehousing.md
MicrosoftDocs/Dynamics-365-Operations.fr-fr
9f97b0553ee485dfefc0a57ce805f740f4986a7e
[ "CC-BY-4.0", "MIT" ]
2
2020-05-18T17:14:08.000Z
2021-04-20T21:13:46.000Z
articles/supply-chain/warehousing/tasks/register-items-advanced-warehousing.md
MicrosoftDocs/Dynamics-365-Operations.fr-fr
9f97b0553ee485dfefc0a57ce805f740f4986a7e
[ "CC-BY-4.0", "MIT" ]
6
2017-12-13T18:31:58.000Z
2019-04-30T11:46:19.000Z
articles/supply-chain/warehousing/tasks/register-items-advanced-warehousing.md
MicrosoftDocs/Dynamics-365-Operations.fr-fr
9f97b0553ee485dfefc0a57ce805f740f4986a7e
[ "CC-BY-4.0", "MIT" ]
1
2019-10-12T18:19:20.000Z
2019-10-12T18:19:20.000Z
--- title: Enregistrer des articles pour un article activé pour l’entreposage avancé à l’aide d’un journal des arrivées d’articles description: Cette rubrique présente un scénario montrant comment enregistrer des articles à l’aide des journaux d’arrivée des articles lorsque vous utilisez les processus de la gestion avancée des entrepôts. author: Mirzaab ms.date: 03/24/2021 ms.topic: business-process ms.prod: '' ms.technology: '' ms.search.form: WMSJournalTable, WMSJournalCreate, WHSLicensePlate audience: Application User ms.reviewer: kamaybac ms.search.region: Global ms.search.industry: Distribution ms.author: mirzaab ms.search.validFrom: 2016-06-30 ms.dyn365.ops.version: AX 7.0.0 ms.openlocfilehash: e753897d1e21ffebbcbfac48abab4b0549c3553f ms.sourcegitcommit: 3b87f042a7e97f72b5aa73bef186c5426b937fec ms.translationtype: HT ms.contentlocale: fr-FR ms.lasthandoff: 09/29/2021 ms.locfileid: "7565253" --- # <a name="register-items-for-an-advanced-warehousing-enabled-item-using-an-item-arrival-journal"></a>Enregistrer des articles pour un article activé pour l’entreposage avancé à l’aide d’un journal des arrivées d’articles [!include [banner](../../includes/banner.md)] Cette rubrique présente un scénario montrant comment enregistrer des articles à l’aide des journaux d’arrivée des articles lorsque vous utilisez les processus de la gestion avancée des entrepôts. Cette opération est généralement effectuée par la personne qui s’occupe de la réception. ## <a name="enable-sample-data"></a>Activer les exemples de données Pour exécuter ce scénario à l’aide des exemples d’enregistrements et des valeurs spécifiés dans cette rubrique, vous devez utiliser un système sur lequel les données de démonstration standard sont installées et vous devez sélectionner l’entité juridique *USMF* avant de commencer. Vous pouvez aussi explorer ce scénario en substituant des valeurs à partir de vos propres données, à condition que vous disposiez des données suivantes : - Vous devez avoir une commande fournisseur confirmée avec une ligne de commande ouverte. - L’article de la ligne doit être stocké. Elle ne doit pas utiliser de variantes de produit et ne doit pas avoir de dimensions de suivi. - L’article doit être associé à un groupe de dimensions de stockage pour lequel les processus de gestion des entrepôts ont activés. - L’entrepôt utilisé doit être activé pour les processus de gestion des entrepôts et l’emplacement que vous utilisez pour la réception doit être contrôlé par un contenant. ## <a name="create-an-item-arrival-journal-header-that-uses-warehouse-management"></a>Créer un en-tête de journal des arrivées d’articles qui utilise la gestion de l’entrepôt Le scénario suivant montre comment créer un en-tête de journal des arrivées d’articles qui utilise la gestion de l’entrepôt : 1. Assurez-vous que votre système contient une commande fournisseur confirmée qui remplit les conditions décrites dans la section précédente. Ce scénario utilise une commande fournisseur pour l’entreprise *USMF*, compte fournisseur *1001*, entrepôt *51*, avec une ligne de commande pour *10 PL* (10 palettes) du numéro d’article *M9200*. 1. Prenez note du numéro de la commande fournisseur que vous utiliserez. 1. Accédez à **Gestion des stocks\> Entrées de journal \> Arrivée d’articles \> Arrivée d’articles**. 1. Sélectionnez **Nouveau** dans le volet Actions. 1. La boîte de dialogue **Créer un journal de gestion d’entrepôt** s’ouvre. Sélectionnez un nom de journal dans le champ **Nom**. - Si vous utilisez les données de démonstration *USMF*, sélectionnez *WHS*. - Si vous utilisez vos propres données, le journal que vous choisissez doit avoir **Vérifier l’emplacement de prélèvement** défini sur *Non* et **Gestion des contrôles** défini sur *Non*. 1. Définissez **Référence** sur *Commande fournisseur*. 1. Définissez **Numéro de compte** sur *1001*. 1. Définissez **Numéro** sur le numéro de la commande fournisseur que vous avez identifiée pour cet exercice. ![Journal des arrivées d’articles.](../media/item-arrival-journal-header.png "Journal des arrivées d’articles") 1. Sélectionnez **OK** pour créer l’en-tête du journal. 1. Dans la section **Lignes de journal**, sélectionnez **Ajouter une ligne** et entrez les données suivantes : - **Numéro d’article** : défini sur *M9200*. Les éléments **Site**, **Entrepôt** et **Quantité** seront définis en fonction des données de transaction d’inventaire pour les 10 palettes (1000 unités chaque). - **Emplacement** : défini sur *001*. Cet emplacement spécifique ne suit pas les contenants. ![Ligne du journal des arrivées d’articles.](../media/item-arrival-journal-line.png "Ligne du journal des arrivées d’articles") > [!NOTE] > Le champ **Date** détermine la date à laquelle la quantité disponible de cet article sera enregistrée dans le stock. > > L’**ID de lot** sera renseigné par le système s’il peut être identifié de manière unique à partir des informations fournies. Sinon, vous devrez le saisir manuellement. Il s’agit d’un champ obligatoire, qui lie cet enregistrement à une ligne spécifique d’un document source. 1. Dans le volet Action, sélectionnez **Valider**. Cela vérifie que le journal est prêt à être validé. Si la validation échoue, vous devrez corriger les erreurs avant de pouvoir valider le journal. 1. La boîte de dialogue **Vérifier le journal** s’ouvre. Cliquez sur **OK**. 1. Examinez la barre de messages. Il doit y avoir un message indiquant que l’opération a abouti. 1. Sélectionnez **Valider** dans le volet Actions. 1. La boîte de dialogue **Valider le journal** s’ouvre. Cliquez sur **OK**. 1. Examinez la barre de messages. Il doit y avoir un message indiquant que l’opération a réussi. 1. Sélectionnez **Fonctions> Accusé de réception des produits** dans le volet Actions pour mettre à jour la ligne de commande fournisseur et valider un accusé de réception de marchandises. [!INCLUDE[footer-include](../../../includes/footer-banner.md)]
74.9875
337
0.776629
fra_Latn
0.987528
228a5ef9fc7a225394bcadfbcbf7e73dd42bb070
9,271
md
Markdown
README.md
naveenrj98/Security_Attacks_VANET
d8d8421c7afdeda9ce79999ccaad89eaa091f3df
[ "MIT" ]
10
2020-06-26T12:58:39.000Z
2022-03-07T06:22:35.000Z
README.md
naveenrj98/Security_Attacks_VANET
d8d8421c7afdeda9ce79999ccaad89eaa091f3df
[ "MIT" ]
1
2021-04-30T05:39:44.000Z
2021-04-30T05:39:44.000Z
README.md
naveenrj98/Security_Attacks_VANET
d8d8421c7afdeda9ce79999ccaad89eaa091f3df
[ "MIT" ]
2
2021-08-16T10:56:36.000Z
2021-09-04T19:19:36.000Z
# Detection and Prevention of Security Attacks in VANET. ## Abstract In the current generation, road accidents and security problems increase dramatically worldwide in our day to day life. In order to overcome this, Vehicular Ad-hoc Network (VANETs) is considered as a key element of future Intelligent Transportation Systems (ITS). With the advancement in vehicular communications, the attacks have also increased, and such architecture is still exposed to many weaknesses which led to numerous security threats that must be addressed before VANET technology is practically and safely adopted. Distributed Denial of Service (DDoS) attack, replay attacks and Sybil attacks are the significant security threats that affect the communication and privacy in VANET. As simulators are being used in our work, we have discussed OMNET++ which is a new modernized latest mobility and network simulators as well as data network simulator. This is also integrated with the road traffic simulator SUMO with Veins, an open-source framework for VANET simulation. The objective of our work is to design an algorithm to detect and prevent various kinds of attacks using Java Security and Cryptography libraries. An analysis has also been done by applying four protocols on an existing scenario of real traffic simulator using OpenStreetMap and the best suitable protocol has been selected for further application. ## Introduction In the current generation, road accidents and security problems increase dramatically worldwide in our day to day life. In order to overcome this, Vehicular Ad-hoc Network (VANETs) is considered as a key element of future Intelligent Transportation Systems (ITS). With the advancement in vehicular communications, the attacks have also increased, and such architecture is still exposed to many weaknesses which led to numerous security threats that must be addressed before VANET technology is practically and safely adopted. Distributed Denial of Service (DDoS) attack, replay attacks and Sybil attacks are the significant security threats that affect the communication and privacy in VANET. As simulators are being used in our work, we have discussed OMNET++ which is a new modernized latest mobility and network simulators as well as data network simulator. This is also integrated with the road traffic simulator SUMO with Veins, an open-source framework for VANET simulation. The objective of our work is to design an algorithm to detect and prevent various kinds of attacks using Java Security and Cryptography libraries. An analysis has also been done by applying four protocols on an existing scenario of real traffic simulator using OpenStreetMap and the best suitable protocol has been selected for further application. Vehicular Ad-hoc Network (VANET) provides a smart transportation system owing to Vehicle to Infrastructure (V2I) and Vehicle to Vehicle (V2V) message dissemination with an objective to provide safety on roads. Nearly 1.25 million people die each year and on an average 3,287 deaths, a day is observed according to the world health organization. ## Proposed System This paper proposes the methods for detecting and preventing security attacks for both V2V and V2I communication in VANETs. More specifically we are going to address security in VANET “beaconing messages”, i.e., messages sent from a vehicle to its neighbours with information of location, speed, braking and other sensorial data that aid safe decision making. The main contribution of the paper has been given in the following points:   Detecting some major security attacks which are highly probable and that exploit the both V2V and V2I communication by sending the false information to other vehicles and RSU in VANET communication as listed in the following. Sybil Attack Reply Attack DDOS Attack Design of an Algorithm for detecting the Sybil nodes by considering the timestamp and velocity parameter of the beacon messages sent from the vehicle nodes which estimates the distance and predict the current position. Provided various measures to prevent the attackers in VANET communication. Implemented a system which detect the best routing protocol for the VANET communication by considering the realistic scenario generated from OSM and simulation has been done using SUMO and NS3. ## Implementation Firstly we addressed the identification requirement. To uniquely identify a vehicle we provided the Vehicle Identification Number(VIN) using CA authority which distributes unique key for each node. To solve the Problem of authentication and ensure message integrity and non-repudiation of the sender we implemented digital signature for each vehicle and the messages. Being a critical system we have also have to ensure high availability of the system. For that we intend to detect if a user is sending messages too frequently at the communication unit level, only passing them to the OBU after a minimum delta time between messages has passed. We can’t ignore all future messages because they can be critical, but we drop the excess ones that won't affect road safety. How it all works shown in Fig. 2. ## Replay Attack Detection: We have to guarantee that messages are fresh, making it impossible for an attacker to replay them later on. To accomplish this we decided to attach a timestamp to every messages from vehicle nodes. RSU stores the first 20 messages from each vehicle for certain period, within that time if same vehicle tries to re-send the same messages, we then calculate the time stamp of the messages, if the timestamp is above the given threshold, RSU will drop the messages sent by vehicle and detect it as Replay attack nodes. Prevention: When RSU detects the vehicle as Replay Node attacker, it will not let any messages from attacker to vehicle nodes by checking in the cache memory and dropping messages with a timestamp above a certain threshold when compared to the current time. ## Sybile Attack Detection: Sybil attack is an identity spoofing attack that is based on creating a forged identity in a network and misusing it for his needs Proposed system first RSU checks if message sent from vehicle is authenticated and signed by CA, then estimates the speed of the node by predicting the timestamp of the last message sent from the node. The after RSU predicts the Position of the vehicle by considering estimated speed and last speed recorded in the RSU table. If the response comes below the certain threshold RSU detect it as a Sybille Node. Prevention: After detecting the Sybille node, RSU sends request to CA to revoke the certificate and identity of the Sybille node. After getting response from CA, RSU stores the information of the Sybille node in RSU Cache to make verification easy next time. Finally, RSU informs the vehicle about the Sybille node and drops the messages. ## DDOS Attack Detection: The attacker attacks the communication medium to create channel jam. The channel will not be available anymore to the nodes and they are not able to access it. Hence Proposed system, RSU calculate the frequency and velocity of the messages coming from vehicle, then RSU checks with upper and lower bound of the threshold, if the Result is Higher than the certain threshold, RSU detects those as the DDOS attackers nodes. Prevention: After detecting the DDOS nodes, RSU sends request to CA to revoke the certificate and identity of the Sybille node. After getting response from CA, RSU stores the information of the Sybille node in RSU Cache to make verification easy next time. Finally, RSU informs the vehicle about the Sybille node and drops the messages Best Routing Protocol: the best reliable routing protocol is required for the transmission in the real-world scenario. To achieve that, we have implemented system which generates the real-world scenario by selecting the specified area from the OpenStreetMap Framework. where number of vehicles, Trucks, Traffic Signals and pedestrians were selected. Then, we analysed the generated scenario in Urban simulator called SUMO. ------------------------------------------------------------------------ MIT License Copyright (c) 2020 Naveen R Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ------------------------------------------------------------------------------
127
1,329
0.804552
eng_Latn
0.998606
228aa8fdffa7c792656af464724cd3bb11ad42ab
37,476
md
Markdown
src/blog/hexo/the-wake/index.md
astralfrontier/astralfrontier.org
818e5eb21cfb51d2758fc9e04774d41d23b15c5e
[ "MIT" ]
null
null
null
src/blog/hexo/the-wake/index.md
astralfrontier/astralfrontier.org
818e5eb21cfb51d2758fc9e04774d41d23b15c5e
[ "MIT" ]
15
2015-07-21T23:46:04.000Z
2020-06-11T01:40:04.000Z
src/blog/hexo/the-wake/index.md
astralfrontier/astralfrontier.org
818e5eb21cfb51d2758fc9e04774d41d23b15c5e
[ "MIT" ]
null
null
null
--- date: '2017-07-17T04:05:33-07:00' title: The Wake description: >- "The Wake" is the name of a dreamlike fantasy world I'm creating for Fate. You can read some short fiction here: [What's Your Story?](/2017/03/22/whats-your-story/) path: /2017/07/17/the-wake featuredImage: ../hexo.png tags: - the wake - fantasy - setting links: [] category: Game Design Diary --- "The Wake" is the name of a dreamlike fantasy world I'm creating for Fate. You can read some short fiction here: [What's Your Story?](/2017/03/22/whats-your-story/) <!-- more --> @[toc](Table of Contents) ## The Spirit of the Game **What are we playing?** * A game for having fun and exciting adventures * A world set on the frontier between reason and imagination * A world where beauty isn't safe, and wonders aren't banal * "We live in a world where anything is possible": make that both sexy and scary **How do we play?** * The Rose: make the world beautiful and enticing * The Thorns: make the world dangerous * The Fang: make survival a day-to-day activity * The Fur: remind the players of the strength and independence they have * The Feet: Be willing to see where an idea takes you * The Eye: Give a glimpse of every NPC's life * The Hand: remember past moments and characters, and bring them back from time to time * The Mind: Remember that mysteries can be explored without being explained. * The Heart: Make dream magic as personal and intimate as possible Dreams are the juxtaposition of the mundane and the magical. We eat, we breathe, we talk. There is sky, sea, and stone. Houses, furniture, utensils. All the things that are close to us, or familiar, can become new and alien. Making the world of the Wake come alive requires you to make the ordinary strange and special, and vice versa. ## The World We have a saying. "Tell me your story." It's an invitation to share yourself with strangers. Your dreams, your hopes, your journey. Dreams are powerful things to us. I'll tell you my story, if you tell me yours. Our mythology says that the world changed when the Wake came. Or did it? The nature of the Wake makes it impossible for us to ever know. The stories don't agree on specifics. Our world was bigger or smaller, very old or very young, depending on who you listen to. The world was alive, a sentient thing, or it was a dead ball of rock. The Wake slew the gods, or the Wake created the gods, or there was only one god and the Wake split it into dozens. There are things we think have always been true. The world is still full of forests, lakes, and rivers; of deserts and fertile fields; of cities, settlements, and remote hamlets. We tend crops, raise children, engage in our trades, gamble, gossip, and fight. We wage war and talk of peace. The old tales have names for all these things, and tell of heroes whose lives are as familiar to us as our own. There are exceptions. For example, there's a brilliant white flame in the sky, which we call the sun. It's surrounded by rings of mystic symbols. Lines of light emanate from the inner rings, connecting them to outer rings and to isolated groups of other symbols. These things lie above and beyond the highest clouds and most distant birds. At night, the stars dance and twirl like fireflies, while three moons watch in silent amusement. Was it always so? The stories describe the skies very differently. ### The Wake What is the Wake? It's hard to describe something so basic to our experience. The Wake is like breathing: we don't remember when we began, and it's been with us all our lives. We scholars say that the Wake is a collision of realities: a material cosmos, and an ephemeral realm of dreams and nightmares. The common folk think of the Wake like a particularly dangerous borderland: valuable for what can be harvested from it, but terrifying to approach too closely. Warriors and rulers are grateful for the tools the Wake offers them, such as dream drops, but know the risks that come with them. The Wake is the source of many mysteries. Species of magical animals - "monsters" to common folk, Abstracts to scholars - roam our wilderness and threaten travelers. Floating castles hover over sleepy villages, but nobody can remember who lived there or who built them. There are wellsprings whose water will restore youth, or force one to always tell the truth. Elsewhere, walls of ever-growing and impassable thorns block travel to a cursed kingdom or forgotten fortress. The Wake also concentrates or diffuses itself in different places or times. A man may enter a Wake concentration and emerge as a woman, or a monster, thanks to an errant thought or whimsy. Explorers map out such discoveries, scholars study them, and adventurers seek to gain advantage from them. The Wake tries to draw us into itself. Its pull is patient, but relentless. Exposure to the weird and wonderful, the act of communicating, even laying down to sleep, all give the Wake power over you. Without protection, a human being eventually becomes a Waking One. Such wretches grow fey and restless, then begin walking in trances or saying strange things. Their bodies grow lighter, then take on a soft inner radiance. One night, they are pulled abruptly into the sky, never to be seen again - at least, in the sunlit world. Certain dreamers have reported meeting Waking Ones after their ascension. All who've done so agree that there are fates worse than death. Our ancestors developed a defense: the ritual of familiar fusion. ### Familiar Fusions <div class="ui message"> "The first news I had of the War was the gallop of hooves coming from the village gate, and a shout of warning. I recognized the voice of Jaromir, the scout, and the gait of his horse familiar Karel. I saw the wiry little man mounted bareback. As he leaped from Karel's back and landed on the ground, Karel reared behind him. In a flash, the flesh of the pair flowed together." "Saying those words makes it sound awful, but I am no poet. The process of fusion is always beautiful. Shall I instead say that Jaromir attained the strongest qualities of Karel, and Karel took on the most humanlike traits of Jaromir, until the two were indistinguishable and hence identical? The eye does not track the motion well. One is left with after-images if one stares at a fusion in progress. It is the intrusion of a dream into our placid waking reality, so some disorientation is to be expected." "Their fused form stands a foot taller than Jaromir, with a fierce and uncontrollable tumble of hair in contrast to Jaromir's short-cropped stubble. The muscles are lean, a runner's body, with powerful legs capable of devastating kicks. Jaromir's compact face takes on a longer cast in fusion, and his nostrils flare when he speaks. It is neither horse nor man, but a powerful bipedal creature partaking of the best of both. In this form, the fusion calls himself Jarel. Jaromir's father hails from the Eastern Tribes, where human and animal are equal partners in fusion and such naming conventions are common. In our village, it's not the custom, but we understand that his ways are not ours. The Tribes do not think the animals intelligent - that would be foolish - but merely do them honor, a sentiment I respect." "Jarel had ridden for the better part of the day to warn us. I saw horse sweat sparkle on the fusion's skin. His barrel chest rose and fell with each greedy breath. Jarel shared the exhaustion of mount and the fear of the rider, but he did his duty. The mayor emerged from his house to take the report, and Jarel showed him a map drawn on the dirt." </div> From childhood, we learn a simple ritual. In meditation, we reach out with our hearts. An animal, imbued by the Wake with a strange potential, answers. Such "familiar" animals become our bonded partners, until one of the pair dies. We can acquire a new familiar, but the process grows more and more traumatic the more partners we've already had. The familiar can be almost anything. Wolves, spiders, dolphins, eagles, bats, and more serve as familiars. Whole colonies of smaller creatures can do the same. Occasionally people have bonded with plants as familiars, such as the Seneschals of the Floral Fortresses. Our familiars combine with us, both physically and spiritually. Walk down the streets of our city and you will see hybrid beast-people, human and familiar in a fused state. The familiar's influence on our human bodies might be minor (ears and tails), nearly complete (we walk on all fours), or a mixture of the two (a humanoid but clearly animalistic form). With practice, we can shift the degree of hybridization, looking more or less human and gaining or losing the animal's strengths in the process. When our familiar detaches from us, it can operate independently, like any other animal. We see through each other's senses, feel each other's moods, and know each other's location. Prolonged separation is painful, but useful and necessary in some cases. When fused, our familiar heals rapidly. The longer-lived partner also lends their longevity to the other. This is why, for example, the Seneschals can live for hundreds of years, sleeping in their trees, while a short-lived spider can be partners for decades with a mortal woman. The bond with a familiar keeps us grounded. While the bond persists, we can resist the call of the Wake. A stronger bond - not merely a stronger animal - improves our resistance as well. Partners that are fully attuned with each other can easily use several dream drops in a row, or enter areas of intense Wake, at little risk. ### Dream Drops Dream drops are small ovals of crystallized dream. They take effect when swallowed. There's a brief beam of light that connects the eater to a distant point in the sky, any time of the day or night. At that moment, the truth of the dream trapped inside the drop becomes real. Dreams of flying allow the eater to fly. Dreams of speed or grace or power grant the same effect. It never lasts long, for dreams never do, and some details are always forgotten afterward. Dream drops don't just grow on trees. They're created from the dreams of the living, then expertly crafted and refined by professionals called dropsmiths. They're sold in the markets, with a price commensurate to their utility. A sedate dream of farming is worth little, while a potent dream drop that turns you into a demigod of war is a priceless commodity. It's possible to create your own dream drop, but an expert dropsmith is vital to make useful ones. The most useful stones are made from the most potent dreams. The best dreams are produced by the most wild and fantastical dreamers - young children, the innocent, the mad, or the otherwise useless. Such people are most at risk of being drawn in by the Wake. A skilled dreamer can become wealthy merely by selling their own dreams, but they need something to keep themselves grounded. Professional dropsmiths are more than artisans; they are confessors and advisors to their clients. Aside from the utility of the drops themselves, extracting dreams can be beneficial for the dreamer. Someone in the process of becoming a Waking One can have their excess Wake energy siphoned off by the process. Recurring nightmares or traumatic dreams can be removed, allowing psychological healing. Not all dream drops have overt magical effects. A diluted drop can be created that simply conveys the experience of the dream to somebody else, for example. Other forms of drops can be created by skilled dropsmiths. Abstracts An Abstract is a creature, entity, phenomenon, or less describable thing brought into the world by the Wake. Abstracts are often ill-formed and curiously incomplete. An abstract human being might have no pulse or breathing, but be able to carry on a conversation. Abstract animals look "off" somehow. Abstract monsters are as varied and as dangerous as anything the imagination can conjure. Abstracts have their own motivations and behaviors. Some are predictable, others are entirely random. Most abstracts are dangerous, if not for their power, then for the risk they pose to people near them. ### Spikers If the Wake can bring dreams into the world, then are these beings simply a nightmare? Or are they something worse? We gave the Spikers that name due to the enormous stone spikes they use as transportation. The spikes can burst out of the ground almost anywhere, even inside buildings. They look like obsidian stalagmites with crude doors carved into them. They come at night, or when few people are around. Their usual objective is to destroy dream drops or kidnap proficient dreamers. Sometimes they will simply launch a bloodthirsty all-out attack. They have been known to undertake strange, even nonsensical, goals from time to time. Spikers wear full-coverage leather suits with masks. They protect their eyes with lenses of glass or gemstone. They wear bulky coverings where a nose and mouth would be, with hoses leading from these to tanks or other apparatus fastened to their suits. They are humanoid, but it is unknown if they are actually human. No Spiker has ever been observed to have a familiar. It is believed they protect themselves from the Wake some other way. Spikers react violently if their suits are damaged in any way. They will immediately try to return to their spikes, or escort their compromised fellows to safety. If enough of them are harmed, they will withdraw en masse - the spikes retract into the ground, strangely leaving things just as they were before. No Spiker will leave another behind if they can help it. Supposedly a few people have spoken with Spikers, who only sometimes speak our languages. When asked about their motives, the Spikers apparently said: "we're trying to save you." ### Our Daily Lives Towns, villages, and hamlets dot the landscape. Wherever opportunity or danger rear their head, people will band together and settle. Trade routes, resource-rich forests or mountains, tillable fields, and Wake-spawned mysteries can all attract a settlement. Walled fortifications stand guard over rivers, roads, and mountain passes where human travel takes place. Even the loneliest fur trader or most hard-bitten miner must bring their goods to somebody to exchange for the necessities of life. And of course, there is more than just cold mercantile interest. People have feelings and wish for company, no matter who we are. A new visitor to a settlement will be invited to speak at the local tavern or other social hub. The locals are interested in not only the stories the visitor brings, but their potential to produce dream drops the community might find valuable. A good storyteller with a vivid imagination is likely to produce better dreams. Locals also like to take turns telling the tales of the community, both to brag and to inform. If a visitor seems like a potential source of dream drops, they are referred to the local dropsmith, and an arrangement can be made. Otherwise, they are expected to have some business in the settlement. Trade goods, money, or marketable skills are all acceptable. A visitor with nothing to offer is quietly asked, then gradually told, to move on. ### Cities Cities act as trade hubs, markets, and headquarters. Power is typically not in the hands of individual people, but of factions or groups. For example, the balance of power in a large city might be split between the legal administration, two influential trading houses, and a criminal underworld. Rare and potent dream drops, large quantities of steel or other industrial metals, specialized services (assassinations, academics, or adventurers for hire), and so forth are only found in cities. Each city has its own unique character, from tightly-guarded Adigel in the frozen northern wastes, to the flamboyant and colorful Uren in the Tyrian desert. Permanent residents of cities are merchants, guards, entertainers, and the numerous other occupations that keep commerce alive. Travel to and from cities is normally done in caravan - groups of wagons pulled by beasts of burden. Teamsters learn a special variant of the familiar summons ritual to lightly bond with half a dozen animals at once, while guardsmen bonded with powerful predatory animals keep the rest of the caravan safe from attack. ### Technology We build and hunt with the fruits of Nature. We make weapons and tools of steel and copper, apparel out of cloth and leather. We boil water to destroy the motes of hostile life within, and clean our teeth with a certain chalk paste, thanks to the wisdom of our ancestors. We understand the turning of the seasons and the principles of the harvest. Many of our needs are addressed thanks to familiar fusion. Even the simplest child of a village can hunt game, or forage for edible roots and berries, thanks to their familiar. We are as hardy as our animal brethren in the cold and rain, though we still build houses for comfort and security. Some scholars believe that the fusion weakens us as a people, because we might develop better tools if we were smaller and weaker. Others argue that we did develop a better tool already - familiar fusion. Certain discoveries conjured from the Wake - floating castles, caches of mysterious artifacts - sometimes hint at makers with a superior understanding of natural law. Others, of course, cease to work if removed from their Wake-tainted area of origin. Like much else, we scholars will continue to debate the finer points and significance this holds. ### Religion and the Theonic Guilds Dreamers walk through a collective unconsciousness of archetypes and universal stories. Gods speak to their questors and adherents, granting them powerful dreams in exchange for loyal service. For us, this is no mere poetry or flight of fancy. It was discovered that when two people dream of the same thing, it really is the same thing - at least in the dream-world. Wake scholars were quick to exploit this property, through the founding of the Theonic Guilds. A Guild is an imagined building or other location, imagined out of whole cloth and intricately detailed. When two or more people project their sleeping minds into the same Guild at the same time, they can meet and interact in a shared dream space. It's not even necessary to fall asleep; training, and several minutes of uninterrupted meditation, can put someone into a light trance, allowing them access to the Guild. The experience of a particular Guild can be extracted by a dropsmith and given to somebody else, thus "inviting" them into the Guild. Guilds exist for many purposes. Traders use them for long-distance communication and the sharing of market information. Warlords and generals use them to coordinate strategy with their subordinates, or to collect reconnaissance from scouts in the field. Secret societies use them as undetectable meeting places. Guilds are not absolutely secure, of course. It's not easy to make someone simply forget the experience of the Guild, and that's all that's necessary to enter one. But Guilds remain a tremendous advantage to those who use them. Worshipers or followers of a well-known god are all interacting with the same god, in a manner similar to a Guild. Whether the gods have an independent reality, or are simply a figment of everybody's collective imagination, is a topic that's hotly debated by Wake scholars. But the fact remains that gods can have a powerful influence. The altered mental state of religious ecstasy produces highly potent raw material for dream drops. ## Game Rules Several rules refer to Fate Core skills. Use the appropriate Approaches when playing FAE. ### Character Creation Create a Fate Core or Fate Accelerated character as usual. One of your character aspects should describe the animal familiar that you're bonded with. ### New Stunts **Beastmaster**: You have a mental-only fusion with several animals. **Dropsmith**: You are proficient at the art of creating dream drops, and may use the appropriate rules. **Fusion Specialist**: You roll at +2 when using any advanced fusion technique. **Guildmaster**: You are experienced at entering the meditative trance to reach a Theonic Guild or other oneiric stronghold. You spend 5 minutes under ideal conditions to meditate, and you roll Overcome at +2 to reach a Guild while under stress. ### Common Activities #### Simple Fusion Fusion is a a ritual undertaken by children at a young age. The ritual can be repeated if a character's fusion dies. The celebrant calls out for a companion and partner. Some living thing, imbued with the Wake, will respond. Either it will come toward the celebrant, or they must go to it. Animals are the most common types of familiar. Some familiars are plants, such as the home-trees of the Floral Fortresses. Swarms or packs of tiny animals can function as a single familiar. Abstracts (chimerae or mythological creatures) could conceivably become familiars but this should be unique. Characters with an aspect granting them a familiar receive the following narrative permission: * Familiars physically merge with their human companions. The resulting hybrid creature is a blend of both human and familiar. The human partner's intellect and the animal's instincts serve each other. The hybrid may favor their human traits (e.g. only showing ears and tail) or their familiar's traits (e.g. moving on all fours). While fused, the shorter-lived partner benefits from the longer-lived one's longevity. * The familiar can separate into human and animal once again, and each can act independently. Humans lose any animal traits they acquired while fused. * Human and familiar remain in mental contact across any distance, and one can experience life through the other's senses. * Familiar fusions can withstand the call of the Wake indefinitely. Outside of a fusion, a human will slowly be called into the Wake. Without a living familiar, a human will be drawn more quickly into the Wake. Fusing with your familiar, or separating, requires no roll. If you are engaged in a Conflict, fusing or separating consumes the movement part of your action. Fusing or separating can change the skill involved in an action. For example, a character with a horse familiar rolls Athletics to move swiftly while fused, but Drive to ride their horse as a mount. #### Advanced Fusion Techniques Characters can change the balance of their hybrid appearance, becoming more human-like or more animal-like in their appearance. This takes a minute, but no roll. A character can roll a Great (+4) Overcome on Physique to turn themselves entirely into an animal while fused, or a Great (+4) Overcome on Will to turn themselves entirely human, again spending a minute of time to do so. Characters will pass as fully human or fully animal while so altered. This change in state lasts until the character separates or rebalances their hybrid appearance. Characters can perform an advanced ritual, a partial fusion that grants them the mental link but not the physical combination. Such a link can be made with up to half a dozen animals. This requires the **Beastmaster** stunt. #### Visiting Theonic Guilds You must be familiar with the guildhall already. If you are relaxed and can spend 15 minutes meditating, you can enter automatically. If you are stressed, or must work faster, roll an Overcome action with Will against a difficulty set by the GM. This takes five minutes, or three on success with style. Failure means the character is unable to achieve the required trance state, but it can also mean that they can't stay long, or they forget most of the experience on waking up. On a tie, they might forget some minor but relevant detail of the experience. #### Creating Dream Drops You must have the Dropsmith stunt to attempt this action. A trained dropsmith can extract a dream drop from a sleeping individual. This usually requires the individual's cooperation, though certain drugs, hypnotic techniques, or other methods can substitute. The dropsmith supplies the dreamer with an herbal drug, then waits. As the dreamer experiences their dream, their sweat, saliva, and tears will contain traces of Wake energy. The dropsmith then precipitates the result chemically. The dropsmith may roll a Create Advantage action on Empathy to study their subject's emotional state beforehand, discovering a character aspect. Another several hours are necessary for the dropsmith to "process" the raw dream drop, removing traces of the original dreamer's personality and other irrelevant details from the experience. They do this by holding the precipitate in their mouths, then re-experiencing the dream again and again and driving elements out by force of will. At the end of the process, the character rolls an Overcome action with Crafts. The GM determines the potency or complexity of the dream drop as a rating on the Fate ladder (e.g. Average, Superb), and uses this as the difficulty. Success yields a viable dream drop. On average, a dropsmith can produce one new dream drop per day using this method. If the dropsmith succeeded on their Empathy check earlier, they may invoke the discovered character aspect as a bonus on this action. Skilled dropsmiths can enhance the end result in other ways. * Diluting a dream drop to only convey the experience of the dream, not to have any magical effects. Roll at +1 difficulty. Keys to Theonic Guilds are created in this way. * Using other dream drops (or unprocessed precipitate from another dream drop creation attempt) to raise the potency of a new drop. Roll at the intended target difficulty +1. #### Consuming a Dream Drop If the character has been established as carrying around a particular dream drop, roll to Create an Advantage describing its effects. Use whatever skill is most logically connected to the effect of the drop, or Will if there is no obvious choice. The difficulty is the dream drop's potency, as described earlier. The resulting aspect provides narrative justification for whatever effect the dream drop would then have. Failure can mean a complication as part of using the drop: memory loss, or being drawn too deeply into the false narrative of the dream, are the two most common side effects. If the character has an unknown dream drop, they can "sample" it without fully consuming it to get a vague sense of what it does. This requires a similar Create an Advantage action, but the aspect is only created if the character goes through with consumption. Otherwise, they've spent their action positively identifying the dream drop, and can choose to activate it later. The GM describes the effects and potency of any unknown dream drops. Use of a dream drop is noticeable for miles when outside on a clear day or at night. The beam will harmlessly pass through any intervening obstacle between the character and the sky, such as a roof or cave ceiling. Almost everyone is familiar enough with the concept to recognize the shaft of light from ground to sky. Seeing the beam only tells the observer that a dream drop user is at that spot, not who they are or what sort of drop they used. If the weather is bad (fog, clouds, heavy rain, and so on), or if line of sight to the sky is blocked by something, an Overcome action with Notice is necessary to notice it. ## Legends, Equipment and Antagonists ### Sample Abstracts **The Cloud Dragon** There is a cloud that drifts through the sky, but it is an intelligent creature. Its body is evaporated water, just as any other cloud, and it can reshape itself. It has magical powers and great wisdom. It can speak, but will only do so with people near it - in the sky, or anywhere else close to the clouds. **Eclipse Shield** An ephemeral small shield or buckler, worn on the arm rather than held. When in light, the shield is solid, and grows in size without becoming a hindrance. When in darkness, the shield is transparent and intangible, offering no protection but being almost undetectable. **Horsegoats** A herd of horse-like animals with sharp talons rather than flat hooves. They're able to gallop if properly shod, but their talons can also be used as climbing aids or vicious weapons. Horsegoats are stubborn and very difficult to tame. **Teddy Bear** A child's stuffed bear developed a rip in its seams, out of which the stuffing started to peek. Mother went to mend the toy with shears and needle, but the child didn't understand what was happening. The Wake brought this moment to life. The Bear is an enormous teddy-bear, with a strength that no stuffed animal ought to have. It will tower over the tallest adventurer, and its size can fluctuate. Its seams strain when it flexes its muscles. It will attack anyone or anything wielding anything sharp or needle-like (swords, spears, arrows...). If cut, the stuffing will pour out like a sentient flood, trying to crush or suffocate the attacker. Anyone with a sharp weapon can improvise its use as needle or scissors, either unmaking the bear by its seams, or sewing up a gap to stop the unending flow of stuffing. The bear can be driven away in fear, defeated by tying it down, or killed by somehow removing all of its stuffing. <div class="ui message"> Aspects: * **Rampaging Giant Teddy Bear** * **Don't Cut Me!** * **Overflowing Stuffing**. Skills: * Smash Bad People! +2 * Reason and Observation -2 Health: * 3 stress boxes (1, 2, 3) * 3 condition slots (2, 4, 6). </div> ### Sample Dream Drops Dream drops are broadly catalogued according to purpose. Each one is unique, so only examples are provided. **Arms and Armor** Arms and Armor dream drops equip the user with some kind of combat equipment, usually weapons or protection. Such dream drops commonly sell for a very high price, putting them only in the range of professional warriors and a noble's bodyguards. * **Claws**: animal claws or talons, sharper and scarier than anything the user's familiar fusion might already have. The reflection of a dreamer's fear that they are becoming more animal than human. * **Knight's Suit**: a stylish, ornamental suit of armor from the storybooks, sparkling with its own inner light. The dreamer's memory of chivalry, grand quests, and similar themes turns the drop user into a paladin out of myth. * **Legendary Sword**: the famed sword of the ancient stories come to life. While it might look gold-plated and jewel-encrusted, the sword is an entirely functional weapon and can cut through nearly anything. * **Teeth**: dreams of teeth are tied to confidence, and losing teeth can represent a loss of power or self-esteem. This drop gives the user strong, sharp fangs and reinforces the jaw, allowing a powerful and self-affirming bite attack. * **Vine Whip**: plants grow out of the ground, providing a thorny whip the user can wield to scourge their enemies. The weapon of choice for a plant fusion, or anyone who really likes nature. **Guardian** Guardian-type dream drops summon a living or otherwise animated thing to help the user. They are surprisingly cheap, given how many dreams center around someone the dreamer knows giving them aid and comfort. * **Bug Swarm**: biting insects, spiders, or anything else the user's enemies are most afraid of. The swarm will not obey the drop user's commands, but will attack anyone who comes near the user. This sort of dream drop is rare, not only because it's hard for dropsmiths to make safe for the user, but because it's really weird. * **Dad**: the dream-conjured archetype of one's protective and loving parent, as powerful as any child would hope. No matter how tall the user is, Dad will always seem taller. * **Horse**: not a fast mount, but a hardy one. A riding animal that will obey the rider's commands and can last for several hours. * **Maniac**: an insane slasher, berserker, or other kind of raving lunatic that haunts the nightmares of the young. Usually armed with some kind of short but very sharp cutting weapon, and can be covered in blood or viscera. If you can see its face at all - and if it has one - its mouth is often contorted into a rictus of dark delight. * **Nymph**: born from dreams whose content is better left to the imagination. A beautiful, feminine fairy or enticingly masculine spirit being. While they can sometimes wield control over nature, they can also function as social companions. * **Pet**: a friendly puppy, cute kitty, or something weirder and furrier. Fond memories of childhood don't always produce a useful guardian, but they have their uses. Pets are usually intelligent enough to obey commands and will have a strong emotional bond with the user. * **Rock Golem**: natural rock brought to unnatural life. A shambling, heavy mass of stone that can punch really hard. * **Umbral Presence**: shadow people - patches of shadows in a humanoid shape - are sometimes seen in dreams, or on the edge of consciousness. The drop user can summon one to conceal themselves, or to haunt somebody else. **Wonders** Wonders are any extra-normal ability granted to the user. * **Blackness**: a nightmare come to life, a swelling zone of darkness that seems to expand and pulsate on its own. Nobody inside the zone can see anything, and sounds are distorted or muffled. This drop would be more useful if the user didn't begin at the center of the effect… * **Campfire**: a controlled fire, complete with enough fuel to last several hours. Fire is a very typical dream, so dropsmiths use this sort of dream as a test of skill or artistic accomplishment: how elaborate and useful can they make the dream for a user? * **Dwelling**: a small hut, hamlet shack or crudely-built lean-to typical of woodcutters. The dreamer's memory of their modest childhood home come to life, hopefully with stew bubbling on the fire, comfortable chairs, and enough firewood and pipe-weed to pass a night in comfort. Powerful dreamers or skilled dropsmiths can bring out all the comforts of home; the less skilled can at least put a roof over your head for a few hours. * **Flight**: a surprisingly common type of dream drop, allowing the user to fly through the air like a bird without wings. The flight effect is often tinged with the dreamer's own excitement (or fear of falling), if the dropsmith wasn't skilled enough to remove such traces. * **Hair**: the user's hair becomes extraordinarily long, sometimes continuously growing. While the hair can be used to make rope or other such things, cutting it for such uses often leads to unaccountable feelings of fear, impotence, or depression. * **Invisibility**: numerous types of this dream drop have been identified. All of them make the user harder to see (and often to otherwise detect), but come with a variety of drawbacks or catches (such as being unable to touch things). * **Meal**: a dream drop can conjure nutritious, edible food. If eaten immediately, it's as healthy for the user as any real food. If allowed to sit for awhile, it won't go bad - it'll just disappear, optionally leaving you starving if it vanishes between consumption and digestion. Often used as a last resort, since some dream-foods may be inedible or actively toxic. * **Naked**: dreams of being without clothing or equipment are embarrassing, but some enterprising users found a new use for this type of dream drop: hiding important documents, weapons, or other secrets by wearing them while using the drop, and waiting for them to reappear when the drop's effects fade. * **Oubliette**: a hole opens in the ground, revealing a deep and ink-black pit. Anything thrown in won't be seen again, at least in the waking world. While some people might want to throw an enemy in, the size of the hole is variable, and you risk joining your enemy if your footing isn't sure enough. * **Song**: the user is surrounded by music - an ancient, if familiar-seeming, melody. The song itself has no particular magical effect, but is calming and pleasing to hear. ### Sample Places **Sensail** Sensail is a sea-port city. Its most notable feature is a growth of crystal, hundreds of feet tall at its highest. The crystal seems to have struck the earth at some point in the past, leaving a gigantic impact crater. The crater has been filled in with fresh-water. A series of locks is used to bring ships into and out of the harbor from the sea. Sensail as a city is built up as a network of rock and wood structures, lashed together by rope or locked together by cement. Buildings anchor themselves into the quartz crystals' imperfections. The lowest levels of the city actually reach under the water. Huge transparent sections of quartz have been carefully hammered off of the main structure, and now serve as windows to the underwater half of the harbor. Sensail is served by two major roads: the Grunway and Killian's Road. These form the backbone of the regional trading network and keep Sensail alive by bringing in fresh foodstuffs and money. Sensail is ruled by two professional associations: the Crystal-carvers and the Harborkeepers. Crystal-carvers are responsible for extracting usable sections of quartz from the central mass. The material's extreme durability calls for specialized tools, which the Carvers keep as a trade secret. The Harborkeepers offer protection and refit services for sea-going ships, in exchange for a percentage of their cargo. Their squads of bravoes are armed with crystal swords and empowered to enforce the law throughout Sensail.
115.666667
817
0.789385
eng_Latn
0.999884
228aa9d1e2b4952691cb87ac92c2c5b22b784140
36
md
Markdown
README.md
pirocorp/CSharp-Console-Games
0040f2e2bd1cf47251e5647ee973a650f2df07bb
[ "MIT" ]
null
null
null
README.md
pirocorp/CSharp-Console-Games
0040f2e2bd1cf47251e5647ee973a650f2df07bb
[ "MIT" ]
null
null
null
README.md
pirocorp/CSharp-Console-Games
0040f2e2bd1cf47251e5647ee973a650f2df07bb
[ "MIT" ]
null
null
null
C# Console Games ================
7.2
16
0.361111
oci_Latn
0.912335
228b316ef34e6327c2a45c59925c706899329d43
22
md
Markdown
README.md
CJJ1111/LED-APP
881b0f0fdcae06583c7dfae5223020a4d8363493
[ "Apache-2.0" ]
null
null
null
README.md
CJJ1111/LED-APP
881b0f0fdcae06583c7dfae5223020a4d8363493
[ "Apache-2.0" ]
null
null
null
README.md
CJJ1111/LED-APP
881b0f0fdcae06583c7dfae5223020a4d8363493
[ "Apache-2.0" ]
null
null
null
# LED-APP APP for LED
7.333333
11
0.681818
kor_Hang
0.981929
228c7ae7fd152168bf1717295d895f6120f92a64
328
md
Markdown
languages/c-compiler/clang/clang-specific-flags.md
M4rk9696/knowledge
86934e77789fd78c4225634319a486c3398a311f
[ "CC0-1.0" ]
2
2020-01-08T07:59:18.000Z
2020-04-22T15:14:16.000Z
languages/c-compiler/clang/clang-specific-flags.md
Mark1626/knowledge
5bd6fde2abde0b384981d788e7ee826f6086b52a
[ "CC0-1.0" ]
null
null
null
languages/c-compiler/clang/clang-specific-flags.md
Mark1626/knowledge
5bd6fde2abde0b384981d788e7ee826f6086b52a
[ "CC0-1.0" ]
null
null
null
# Clang specific flags [Back](../../../index.md#clang){: .button} 1. `fcatch-undefined-behavior` - 2. `fno-strict-aliasing` - Turns off Type Based Alias Analysis 3. `fno-vectorize` - Turns off auto-vectorization 1. `-fno-math-errno` 2. `-ffast-math` ## See Also - [Type Based Alias Analysis](../generic/alias-analysis.md)
21.866667
62
0.682927
eng_Latn
0.429662
228cf1e8b1ce710d8312b4cad8b1f9de3b5a201c
2,471
md
Markdown
README.md
moaali/reactinator
17e2768e3e70b2dfa375d00c5300f24aacee482e
[ "MIT" ]
null
null
null
README.md
moaali/reactinator
17e2768e3e70b2dfa375d00c5300f24aacee482e
[ "MIT" ]
null
null
null
README.md
moaali/reactinator
17e2768e3e70b2dfa375d00c5300f24aacee482e
[ "MIT" ]
null
null
null
<p align="center"> 🚀🚀🚀<br/><br/>Minimalistic boilerplate to start developing <b>React JS</b> applications in just few seconds easily with the included tooling. Using <b>Webpack 3</b>, <b>Mobx 3</b>, <b>Babel 6</b>.<br/><br/>🚀🚀🚀 </p> <br> ## Table of Contents - [Installation](#installation) - [Folder Structure](#folder-structure) - [Commands](#commands) - [License](#license) <br> ## Installation To start using this boilerplate, all what you have to do is copy and paste the following commands in your terminal. ``` > git clone https://github.com/moaali/reactinator.git > cd reactinator > npm install > npm run dev ``` <br> ## Folder Structure This boilerplate structure is inspired by [**Ryan Florence**](https://gist.github.com/ryanflorence/daafb1e3cb8ad740b346) and [**Alexis Mangin**](https://medium.com/@alexmngn/how-to-better-organize-your-react-applications-2fd3ea1920f1) ideas of react app structure. ``` app ├── components │ ├── Layout │ │ ├── index.jsx │ │ ├── index.scss │ │ └── ... │ │ │ ├── Animation │ └── ... │ ├── screens │ ├── Index │ │ ├── components │ │ │ ├── Content │ │ │ └── ... │ │ │ │ │ ├── shared │ │ ├── index.jsx │ │ ├── index.scss │ │ └── ... │ │ │ ├── 404 │ └── ... │ ├── shared │ ├── config │ │ ├── routes.jsx │ │ └── ... │ │ │ ├── services │ ├── static │ │ ├── favicon.ico │ │ └── ... │ │ │ ├── stores │ │ ├── clientStore.js │ │ ├── index.js │ │ └── ... │ │ │ ├── styles │ │ ├── settings │ │ ├── components │ │ ├── ... │ │ └── index.scss │ └── ... │ ├── index.html └── index.jsx ``` <br> ## Commands Below are the available terminal commands used by this boilerplate:<br /><br /> **`npm start`** : Running into development mode but without fancy webpack dashboard plugin.<br /> **`npm run dev`** : Running into development mode with fancy webpack dashboard plugin ebabled.<br /> **`npm run clean`** : Delete the production folder before running the build command below.<br /> **`npm run build`** : Produce the production version of the app.<br /> **`npm run preview`** : Run server on the built production folder just for client preview.<br /> **`npm run lint:js`** : Linting JavaScript files.<br /> **`npm run lint:scss`** : test Linting Sass files.<br /> **`npm run lint`** : Linting both JavaScript & Sass files.<br /> <br> ## License 🍟 **MIT**
24.959596
264
0.575071
eng_Latn
0.856878
228d8134a3437cc86b53d1eb7328bde5c8bcec08
464
md
Markdown
readme.md
keoghdata/hangman
41cab1f79be052c75e2cdb822e18d1c6630bf775
[ "MIT" ]
null
null
null
readme.md
keoghdata/hangman
41cab1f79be052c75e2cdb822e18d1c6630bf775
[ "MIT" ]
null
null
null
readme.md
keoghdata/hangman
41cab1f79be052c75e2cdb822e18d1c6630bf775
[ "MIT" ]
null
null
null
# Documentation for hangman game # Use cases - user runs main script...game commences and keeps prompting user until end of game. - user can specify...tell me the answer. - user can specify...reset word. # Features - generation of random word - print the current guess state - draw a hangman - make a guess - reveal and draw - checks on user input: warn if not string, warn if not single char - give list of previously guessed chars. # Dev - build test harness
25.777778
84
0.743534
eng_Latn
0.997714
228edc96ece47a13c8024a174f9c3120747f292a
32
md
Markdown
README.md
vijay2126/first
7f3cb56d4cf8b3549c48dd03b084aca78857bed0
[ "MIT" ]
null
null
null
README.md
vijay2126/first
7f3cb56d4cf8b3549c48dd03b084aca78857bed0
[ "MIT" ]
null
null
null
README.md
vijay2126/first
7f3cb56d4cf8b3549c48dd03b084aca78857bed0
[ "MIT" ]
null
null
null
# first test a git repositories
10.666667
23
0.78125
eng_Latn
0.996405
22904314ccff0f854b5f0ec9e32eb05b4d9c303d
2,624
md
Markdown
README.md
acutario/frankt
0f77403d969d824e41cae7a235ebcc2d7e6a4d2c
[ "MIT" ]
6
2018-01-07T13:49:20.000Z
2020-01-19T02:29:47.000Z
README.md
acutario/frankt
0f77403d969d824e41cae7a235ebcc2d7e6a4d2c
[ "MIT" ]
10
2018-01-03T18:09:35.000Z
2018-07-02T16:25:02.000Z
README.md
acutario/frankt
0f77403d969d824e41cae7a235ebcc2d7e6a4d2c
[ "MIT" ]
1
2018-07-16T08:57:35.000Z
2018-07-16T08:57:35.000Z
# <img src="logo.png?raw=true" width="30" height="42" alt="Frankt"> Frankt > **Run client side actions from Phoenix** [![Build Status](https://travis-ci.com/acutario/frankt.svg?branch=master)](https://travis-ci.com/acutario/frankt) Frankt is a small package that allows you to run client side actions from your [Phoenix Framework][1] project. ## ⚠ Frankt is now deprecated ⚠ Frankt has worked great for us and solved a lot of problems, but it is not maintaned anymore and we don't recommend using it in production. Since we initially created Frankt, we have discovered better approaches to provide the same functionality. - [Phoenix LiveView](https://github.com/phoenixframework/phoenix_live_view) fulfills the same role that Frankt did, and also works with websockets. But it is maintained and developed by the Phoenix creators and the entire Elixir community. - [Intercooler.js](https://github.com/bigskysoftware/intercooler-js) and [Unpoly](https://github.com/unpoly/unpoly) are minimal and stable libraries that can provide dynamism in the client while still using our beloved controllers. Those libraries can be used with any framework and language, so they have really strong communities behind them. ## How does it work? Contrary to other solutions Frankt only provides a thin layer over Phoenix channels. If you already know how Phoenix channels work, there are no new concpets to learn. **You can use your existing code**, you have access to your templates, business logic and any other resource of your application. For more detailed information and some examples take a look at [the official documentation and guides][2]. ## Installing Frankt Frankt is available in [hex.pm][3]. To install Frankt on your project add it as a dependency on your `mix.exs`: ```elixir def deps do [ # Your other project dependencies {:frankt, "~> 1.0.0"}, ] end ``` ## Contributing to Frankt Frankt is an open-source project with [MIT license][4] from [Acutario][5]. If you have a question about Frankt or want to report a bug or an improvement, please take a look at our [issue tracker][6]. [Pull requests][7] are also more than welcome. Keep in mind that interactions in this project must follow the [Elixir Code of Conduct][8]. [1]: https://github.com/phoenixframework/phoenix [2]: https://hexdocs.pm/frankt [3]: https://hex.pm/packages/frankt [4]: https://github.com/acutario/frankt/blob/master/LICENSE [5]: https://www.acutar.io/ [6]: https://github.com/acutario/frankt/issues [7]: https://github.com/acutario/frankt/pulls [8]: https://github.com/elixir-lang/elixir/blob/master/CODE_OF_CONDUCT.md
48.592593
344
0.76029
eng_Latn
0.98163
2290f2b9bcb6b2401077667cb2993f13d39e601a
4,558
md
Markdown
README.md
jeffboulanger/Jabbers-Ironman-Roguelike
44fa05b2b509a50896fa0821a7c32b618789e317
[ "MIT" ]
null
null
null
README.md
jeffboulanger/Jabbers-Ironman-Roguelike
44fa05b2b509a50896fa0821a7c32b618789e317
[ "MIT" ]
null
null
null
README.md
jeffboulanger/Jabbers-Ironman-Roguelike
44fa05b2b509a50896fa0821a7c32b618789e317
[ "MIT" ]
null
null
null
![Jabbers Ironman Roguelite](https://cdn.discordapp.com/attachments/415664512981794818/941835109521297448/Jabbers_Ironman_Roguelite.gif) **Jabbers' Ironman Roguelite** **Discord**: https://discord.gg/HRyCGesuXq **Twitch**: https://www.twitch.tv/jabbers_ **Github**: https://github.com/jeffboulanger/Jabbers-Ironman-Roguelite **DEFINITION 'ROGUELITE'** A subgenre of roguelikes that has most of the game design philosophies of roguelikes but also has at least one progression element that persists after failure **DESCRIPTION** This S.T.A.L.K.E.R Anomaly mod gives the player a more progressive approach to Ironman playthrough by allowing certain aspects of a prior playthrough to be tracked and restored on successive playthroughs. The system currently has the following features... **FEATURES** - 100% Customizable Roguelite experience through MCM (or config parameters in the code if you prefer) - 100% (as far as I know) conflict free from other mods. Jabbers' Ironman Roguelite does not overwrite any scripts or ltx files and because of this it should not interfere with any other mods. If it does please let me know so I can resolve. - Restore player created stashes and items within between Ironman playthroughs - Player stashes are be marked on your PDA map just stash locations from missions - Item condition degredation applied to each applicable item between Ironman playthroughs - Restore trader rep with optional penalty loss between Ironman playthroughs - Trader rep will never go below the value a trader receives at the start of a new game - Restore character rep with optional penalty loss between Ironman playthroughs - Character rep will never go below the value the character receives at the start of a new game - All Stashes/Items/Rep are saved based on faction so that seperate Ironman playthroughs of each faction do not interfere with each other. IE: Stashes created on a Loner playthrough will not be seen on a Military playthrough and vice versa. - Ability for other mods to create modules for saving and restoring data to be used in concurrent playthroughs - Create a script called "roguelite_module_<your module name>.script" - Implement the following global functions in your script - roguelite_load_state(data) - Loads data from the prior playthrough - roguelite_save_state(data) - Saves data when the player dies - append_mcm_options(gr) - Append any MCM options you want under the "Ironman Roguelite" MCM category **INSTALLATION** Simply extract into your S.T.A.L.K.E.R. Anomaly installation folder. **FAQ** **Q**: Doesn't this already exist with the Azazel game mode? **A**: Not really, while Azazel does allows you to continue as a new stalker after dieing, it's missing the "start over" aspect that Ironman provides. In roguelite games, when you die, you are dead and you need to start over. This is what Ironman is about. That said, usually roguelite games also give you some sort of progression to make successive playthroughs a bit easier, usually through something like achievements, skills, items, etc. This is what I hope to capture with this mod. **Q**: How do I reset an Ironman playthrough so the stashes/rep/etc are not restored on my next playthrough **A**: Simply delete the file in appdata pertaining to the faction you want to start over with. Ex: appdata/roguelite_actor_bandit.state **Q**: I have a mod that I would like to persist information across Ironman playthroughs, how do I do that? **A**: Please reference roguelite_module_haru_skills.script as an example of how to create a module and integrate your system with this one. Your module's filename must be prefixed with "roguelite_module_" or it will not be loaded by roguelite_manager as a module. **Q**: I have an idea for progression that isnt included in this mod, how do I contact you. **A**: Well, the easiest way would be discord. You can join my personal discord (https://discord.gg/HRyCGesuXq) and message me direct. I can also be found live most days on Twitch (https://www.twitch.tv/jabbers_) so feel free to stop by and say Hi! Additionally you can leave me a message on moddb... although this isnt my preferred communication platform so my response may be slower. **TODO** - Implement some sort of Achievement based character progression system. Example: Finishing the questline "Living Ledgend" might give the player a permanent bonus to carry weight. This bonus would be applied on all successive Ironman playthroughs. - Restore learned recipes
75.966667
491
0.778631
eng_Latn
0.998743
22920ea8ec7202ce79fb8f9c937e527157834844
3,605
md
Markdown
_posts/2020-02-27-nas-docker-software.md
john123951/john123951.github.io
879e77bee38bb21673bcab887f3ea2319cb40b73
[ "MIT" ]
null
null
null
_posts/2020-02-27-nas-docker-software.md
john123951/john123951.github.io
879e77bee38bb21673bcab887f3ea2319cb40b73
[ "MIT" ]
null
null
null
_posts/2020-02-27-nas-docker-software.md
john123951/john123951.github.io
879e77bee38bb21673bcab887f3ea2319cb40b73
[ "MIT" ]
null
null
null
--- layout: post title: 谈谈如何使用docker,搭建一台“群晖” categories: [NAS, unRAID, docker, 自建家用NAS计划] description: keywords: docker, 群晖, NAS --- ## 写在前面 点开这篇文章的朋友,我相信应该已经尝试过很多NAS系统了,例如OMV、FreeNAS、群晖。。。 大部分人在折腾过后,还是义无反顾地重回群晖的怀抱,即使明知道自己是个黑户,说不定哪天会被官方制裁,落入地狱。。。但架不住群晖的生态确实完善,各种APP都有,平常用起来顺手啊。 开源软件就比不上群晖吗?恰恰相反,大部分开源软件制作的都要更加精良。只不过并未组合成为群晖那样的功能整体,下面就来详细说说如何让它们发挥1+1>2的价值,安排的明明白白。。。 ## 总体设计和使用体验 先看一下总体设计与最终效果。 ![nas_docker_software_simple](/images/blog/2020-02-27-docker-software/nas_docker_software_simple.jpg) ![heimdall_dashboard](/images/blog/2020-02-27-docker-software/heimdall_dashboard.png) ### 说说我的使用体验 【居家中使用】 我喜欢将上图的统一入口,保存到收藏夹,需要时顺手一点就开, 我会把NAS挂载为“网络磁盘”,这样就可以像操作本地硬盘一样操作里面的文件, 需要下载大型文件时,就打开aria2或qBittorrent进行离线下载,小文件则直接保存到“网络磁盘”, 需要看电影时,打开Jellyfin 最最重要的是,登录使用的都是同样的账户密码,用户在“统一认证”中管理(作者下篇文章会详细介绍统一认证)。 【公司时使用】 我在公司时,一般会将重要的工作文件进行同步,防止文件意外丢失, 具体做法是使用Nextcloud客户端的同步功能,保证工作效率的同时,备份文件到NAS, 必要时,通过wireguard拨号回内网,访问其他服务。 【手机端使用】 手机端我目前只有备份照片这一个需求,使用nextcloud的APP可以轻松完成备份。 ## 开始搭建系统 搭建整个【系统】唯一的前提条件是docker环境!!!如果没有docker可以不用往下看了。。。 本文提到的所有服务均运行在docker容器中,所以无论哪个平台都可以使用,群晖、、OMV(等.等.等.等)。。。 搭建的过程并不算复杂,下面会详细地对配置进行说明,相信小白也一定可以看明白。 先看个总览,整个系统的搭建列表。。。 ![​服务列表](/images/blog/2020-02-27-docker-software/unRAID_docker_list.png) 作者目前使用的是unRAID,所以本文就已unRAID进行演示说明, 如果使用其他的平台,建议用docker-compose进行部署,但注意一定要配置好linux文件权限,否则是用不了的。。。 为了方便大家,作者整理了本文相关的docker-compose配置模板,详情见这里: [配置模板(Github)](https://github.com/htpcassistant/htpc-docker-compose)。 `简单说明一下,unRAID是一款国外的NAS系统,感兴趣的可以自己了解一下。` ### 应用市场 首先在【Plugins】里安装应用市场,填入以下地址后,点击【Install】。 `https://raw.githubusercontent.com/Squidly271/community.applications/master/plugins/community.applications.plg` ### mariadb > mariadb是一款开源数据库软件,主要为nextcloud提供配置信息的存储服务。 安装方法:应用市场 镜像名称:linuxserver/mariadb 配置说明:【MYSQL_ROOT_PASSWORD】项设置为数据库root用户密码,其他保持默认。 ![mariadb](/images/blog/2020-02-27-docker-software/mariadb.png) ### nextcloud > nextcloud属于文件私有云,搭建一个自己的云盘。 安装方法:应用市场 镜像名称:linuxserver/nextcloud 配置说明:【/data】目录配置为所有用户保存文件的根目录,也可以像作者一样单独配置某用户的目录,例如【/data/sweet】配置为【/mnt/user/personal/homes/sweet/】,其他保持默认。 ![nextcloud](/images/blog/2020-02-27-docker-software/nextcloud.png) 界面演示: ![界面演示](/images/blog/2020-02-27-docker-software/nextcloud_preview.png) ### jellyfin > jellyfin是一款开源的影音播放软件,最有用的是根据影片信息,自己从网上下载回来影片海报。 安装方法:应用市场 镜像名称:linuxserver/jellyfin 配置说明:【/movies】目录配置为自己的影片库,其他保持默认。 ![jellyfin](/images/blog/2020-02-27-docker-software/jellyfin.png) 界面演示: ![jellyfin](/images/blog/2020-02-27-docker-software/jellyfin_preview.png) ### aria2 > aria2是一款下载工具,易于和BaiduExporter及PanDownload等第三方软件集成。 安装方法:手动安装 镜像名称:john123951/aria2-with-webui 配置说明:【/download】目录配置为下载保存到的文件夹,【SECRET】配置为RPC秘钥,其他保持默认。 ![aria2](/images/blog/2020-02-27-docker-software/aria2.png) 界面演示: ![aria2](/images/blog/2020-02-27-docker-software/aria2_preview.png) ### qBittorrent > qBittorrent是一款BT下载工具,作者推荐的这个版本屏蔽了迅雷吸血,增加tracker资源服务器。 安装方法:手动安装 镜像名称:superng6/qbittorrentee 配置说明:【/downloads】目录配置为下载保存到的文件夹,其他保持默认。 ![qbittorrentee](/images/blog/2020-02-27-docker-software/qBittorrent.png) 界面演示: ![qBittorrent](/images/blog/2020-02-27-docker-software/qBittorrent_preview.png) ### chronos > chronos是一款可以定时执行python脚本的工具,使用者需要会一些简单的python,作者常使用它自动签到、监控商品价格。 安装方法:应用市场 镜像名称:simsemand/chronos 配置说明:全部保持默认即可。 ![chronos](/images/blog/2020-02-27-docker-software/chronos.png) 界面演示: ![chronos](/images/blog/2020-02-27-docker-software/chronos_preview.png) ## 尾言 本篇主要介绍了如何整合各个服务的思路,并没有深究其中很多细节,一则是站内有许多保姆级教程,二则实操部分的乐趣也想留给大家自己体验。 下一篇文章中,我会进行更深入的整合,打通各服务的登录账号,使用“认证中心”管理用户状态。 --- 本文提到的docker-compose文件:https://github.com/htpcassistant/htpc-docker-compose
20.252809
112
0.798613
yue_Hant
0.785968
2292e29b286ffad968fc7d41a9dc1d4e32a4d2d0
2,922
md
Markdown
Classification/ShuffleNet/ShuffleNet.md
jaheel/Deep_Learning
b794a7a2c5deda91e4c574ab414fd4803117ba96
[ "MIT" ]
3
2021-10-12T14:09:08.000Z
2022-03-01T02:11:50.000Z
Classification/ShuffleNet/ShuffleNet.md
jaheel/Deep_Learning
b794a7a2c5deda91e4c574ab414fd4803117ba96
[ "MIT" ]
null
null
null
Classification/ShuffleNet/ShuffleNet.md
jaheel/Deep_Learning
b794a7a2c5deda91e4c574ab414fd4803117ba96
[ "MIT" ]
2
2021-08-25T15:46:46.000Z
2022-03-01T02:11:56.000Z
# ShuffleNet 原论文:[ShuffleNet: An Extremely Efficient Convolutional Neural Network for Mobile Devices](https://arxiv.org/abs/1707.01083) 通过逐点群卷积、通道混洗降低计算量。 论文主要以第3节翻译为主。 ## 3 Approach ### 3.1 Channel Shuffle for Group Convolutions ​ 现代卷积神经网络通常使用架构的模块堆叠。在它们之中,SOTA的网络中Xception以及ResNeXt通过引入有效的深度可分离卷积或组卷积到这些block中来达到表征能力和计算成本的trade-off。然而,我们注意到两种设计都没有将$1\times1$卷积(即逐点卷积)纳入统计,这需要相当大的复杂性。举个例子,在ResNeXt中只有$3 \times 3$卷积配备有组卷积。言而总之,对于ResNeXt中的每个residual unit,驻点卷积占了93.4%的计算量(cardinality=32)。在小网络中,昂贵的逐点卷积使得满足复杂性约束的通道数量有限,会降低准确度。 ​ 为了解决这个问题,一个直接的方法就是通道稀疏连接,例如在$1 \times 1$卷积层使用组卷积。通过确保每个卷积只对相应的输入通道组进行操作,组卷积显著降低了计算成本。然而,如果多个组卷积堆叠在一起,有一个副作用:输出通道的信息只来源于很小的输入通道。图1(a) 显示了两层级联的组卷积层的情况。它清楚的显示出组卷积的输出只与卷积的组有关。该属性会阻碍通道组之间的信息流动并削弱表征。 ![image-20210902210934810](images/image-20210902210934810.png) ​ 如果我们允许组卷积能够获得不同组的输入数据(如图1(b)),输入和输出通道能够完全相关。特别是,对于前组卷积层产生的特征图,我们可以将每个小组的通道分成几个子小组,然后在下一层形成不同的子小组。这可以通过channel shuffle操作来有效地实现(如图1(c)):假设一个卷积层由$g$个组,它的输出有$g \times n$个通道;我们首先将输出通道维数重整成$(g,n)$,转置然后将其展平作为下一层的输入。值得注意的是,即使两个卷积的组数不同,该操作仍然有效。此外,channel shuffle也是可微的操作,这意味着它可以嵌入到网络结构中进行端到端的训练。 ​ channel shuffle操作赋予了多重组卷积层有力的结构。在下一个小节我们介绍拥有channel shuffle和组卷积的有效网络。 ### 3.2 ShuffleNet Unit ​ 受益于通道混洗操作,我们提出一种新的专为小网络设计的ShuffleNet。刚开始设计成图2(a)的形式。它是一个residual block。在它的residual分支,对于$3 \times 3$层,我们在bottleneck特征图上应用了经济的$3 \times 3$深度卷积。然后,我们用逐点组卷积替换第一个$1 \times 1$卷积层,然后进行通道混洗操作,形成一个ShuffleNet单元,如图2(b)所示。第二个逐点组卷积的目的是恢复通道维度以匹配残差路径。为简单起见,我们没有在第二个逐点层之后应用额外的通道混洗操作,因为它会产生可比的分数。批量归一化(BN)和非线性的使用,我们在深度卷积后不使用ReLU。对于ShuffleNet与stride一起应用的情况,我们简单地做了两个修改(见图2(c)):(i) 在残差路径上添加了一个$3 \times 3$的平均池化;(ii) 用通道级联代替逐元素加法,这使得在增加通道维度地同时几乎没有额外的计算成本。 ![image-20210902214522906](images/image-20210902214522906.png) ​ 在带通道混洗的逐点组卷积的辅助下,ShuffleNet的所有组件都可以高效地计算。与ResNet和ResNeXt相比,在相同的设置下,我们的结构具有较低的复杂性。举个例子,给定输入大小为$c \times h \times w$,bottleneck的通道为$m$,ResNet单元需要$hw(2cm+9m^2)$的FLOPs,ResNeXt需要$hw(2cm+9m^2/g)$的FLOPs,然而我们的ShuffleNet单元只需要$hw(2cm/g+9m)$的FLOPs,其中$g$代表组卷积总数。换句话说,在给定计算预算下,ShuffleNet可以使用更广泛的特征图。我们发现这对于小型网络至关重要,因为小型网络通常没有足够数量的通道来处理信息。 ​ 另外,在ShuffleNet中深度卷积仅在bottlenck特征图上执行。尽管深度卷积通常具有非常低的理论复杂度,但我们发现它难以在低功耗移动设备上有效实现,这可能是由于与其他密集操作相比更差的计算/内存访问率。在ShuffleNet单元中,我们有意仅在bottleneck上使用深度卷积,以尽可能地防止开销。 ### 3.3 Network Architecture ​ 基于ShuffleNet单元建立,表1展示了ShuffleNet的整体架构。所提的网络主要由一堆ShuffleNet单元组成,分为三个阶段。每个stage的第一个block应用的stride=2。相同stage的其他超参数保持相同,对于下一个stage,输出通道数量就加倍。与ResNet相似,我们将bottleneck通道的数量设置为每个ShuffleNet输出通道的1/4单元。我们的目的是提供尽可能简单的参考设计,尽管我们发现进一步的超参数调整可能会产生更好的结果。 ![image-20210903175320179](images/image-20210903175320179.png) ​ 在ShuffleNet单元中,组数量$g$控制着逐点卷积的稀疏连接程度。表1实验了不同组数量的实验结果,并且我们调整了输出通道从而保证总体计算成本大致不变(~140MFLOP)。显然,对于给定的复杂性约束,更大的组数会导致更多的输出通道(因此更多的卷积滤波器),这有助于编码更多的信息,尽管由于相应的输入通道有限,这也可能导致单个卷积滤波器的性能下降。 ​ 为了将网络定制为所需的复杂度,我们可以简单地对通道数应用比例因子s。例如,我们将表1中地网络表示为"ShuffleNet 1$\times$",那么"ShuffleNet s$\times$"意味着将ShuffleNet 1x中地过滤器数量缩放s倍,因此整体复杂度将大约是ShuffleNet 1x的s2倍。 # 理解点 1. 逐点群卷积(pointwise group convolution) 2. 通道混洗(channel shuffle)
60.875
438
0.851472
yue_Hant
0.590946
22957de41c273cca750e5f71d5e8ec31fbd34289
1,286
md
Markdown
docs/cluster-integration.md
WitoDelnat/monokle
d04c3d03546d990effbbdb4f0891cbb2d375c139
[ "MIT" ]
null
null
null
docs/cluster-integration.md
WitoDelnat/monokle
d04c3d03546d990effbbdb4f0891cbb2d375c139
[ "MIT" ]
null
null
null
docs/cluster-integration.md
WitoDelnat/monokle
d04c3d03546d990effbbdb4f0891cbb2d375c139
[ "MIT" ]
null
null
null
# Cluster Integration Although Monokle is mainly geared at working with manifest files, it also has the capability to connect to a cluster and show all contained resources, providing a convenient and easy way to inspect cluster resources. Choose a cluster to work with by using the Cluster Selector: ![Clusters Tab](img/clusters-tab-1.5.0.png) If the Cluster Selector does not appear, ensure that the **Show Cluster Selector** option is checked in the Settings menu: ![Cluster Preview](img/cluster-selector-1.5.0.png) Selecting the **Load** button will attempt to populate the Resource Navigator with objects from the configured cluster: ![Cluster Preview](img/cluster-preview-1.5.0.png) Monokle is now in **Cluster Mode** (as indicated by the header at the top): ![Cluster Preview](img/cluster-preview2-1.5.0.png) - The File Explorer has been disabled if a folder had been previously selected. - The Navigator contains all resources retrieved from the configured cluster: - Resource navigation works as with files; selecting a resource shows its content in the source editor. - Resource links are shown as before with corresponding popups/links/etc. - Selecting **Exit** in the top right restores the contents of the Resource Navigator to the currently selected folder.
47.62963
122
0.783826
eng_Latn
0.994023
22959510b1b28177553bb45b5191fb50aa31df53
624
md
Markdown
CHANGELOG.md
MageQuest/magento2-module-bundle-import-export-enhancements
4156f9afd19c99862b27564432a0da81f8c4afe1
[ "MIT" ]
null
null
null
CHANGELOG.md
MageQuest/magento2-module-bundle-import-export-enhancements
4156f9afd19c99862b27564432a0da81f8c4afe1
[ "MIT" ]
null
null
null
CHANGELOG.md
MageQuest/magento2-module-bundle-import-export-enhancements
4156f9afd19c99862b27564432a0da81f8c4afe1
[ "MIT" ]
null
null
null
# Changelog All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). ## [Unreleased] ## [1.0.1] - 2022-01-23 ### Fixed * Support imports ran from any area (not just adminhtml) ## [1.0.0] - 2022-01-17 ### Added * Removal of bundle options via import using the 'Empty attribute value constant' (`__EMPTY__VALUE__`) in the `bundle_values` column * Support removing and recreating (essentially updating) bundle options in the same import file
36.705882
132
0.740385
eng_Latn
0.956974
229721ad08aee8de0ef51b30a716aaaa9fa637f2
3,259
md
Markdown
CONTRIBUTING.md
thinow/aws-kinesis-consumer
94aaa88bd91ff8e7dd8a6716083a95d303281a0f
[ "MIT" ]
29
2021-02-19T18:35:20.000Z
2022-03-16T13:15:25.000Z
CONTRIBUTING.md
thinow/aws-kinesis-consumer
94aaa88bd91ff8e7dd8a6716083a95d303281a0f
[ "MIT" ]
1
2021-03-23T20:57:11.000Z
2021-03-23T20:57:11.000Z
CONTRIBUTING.md
thinow/aws-kinesis-consumer
94aaa88bd91ff8e7dd8a6716083a95d303281a0f
[ "MIT" ]
null
null
null
# Contributing to aws-kinesis-consumer First, thanks for taking interest in contributing to this application ! This is highly appreciated ! 🤗 You will find here some guidelines to help you start contributing to `aws-kinesis-consumer`. ## Install To run the application, the machine needs to have the following being installed : 1. [Git](https://git-scm.com/downloads) 1. [Docker](https://www.docker.com/get-started) 1. [Python (version 3.6 or greater)](https://www.python.org/downloads/) 1. [Pipenv](https://pipenv.pypa.io/en/latest/#install-pipenv-today) After all the requirements have been installed, the source code of `aws-kinesis-consumer` can be downloaded and initialised : ```shell git checkout https://github.com/thinow/aws-kinesis-consumer.git cd aws-kinesis-consumer # install the dependencies of aws-kinesis-consumer pipenv sync --dev ``` Congrats! From now on, you are able to run the tests and the application from your machine. ## Run the tests Run the following command. Here is an example of the expected output : ```shell $ pipenv run invoke test Starting aws-kinesis-consumer_kinesis_1 ... done ============================= test session starts ============================== platform darwin -- Python 3.7.3, pytest-6.2.1, py-1.10.0, pluggy-0.13.1 -- /some/path cachedir: .pytest_cache rootdir: /some/path plugins: snapshot-0.4.2, asyncio-0.14.0 collecting ... collected 46 items tests/configuration/test_configuration_factory.py::test_help PASSED [ 2%] tests/configuration/test_configuration_factory.py::test_version PASSED [ 4%] [... many other tests ...] ============================== 46 passed in 0.64s ============================== Stopping aws-kinesis-consumer_kinesis_1 ... done Removing aws-kinesis-consumer_kinesis_1 ... done Removing network aws-kinesis-consumer_default ``` This command will run all the tests on top of a docker container to simulate an AWS Kinesis Stream ( see `docker-compose.yml`). ## Demo: produce and consume mock records In order to see how the application behaves, the `demo` command can help to produce dummy records, and also to run `aws-kinesis-consumer` to consume those dummy records from a mocked AWS Kinesis Stream running in a docker container. ```shell # first start the producer... pipenv run invoke demo produce ``` In another terminal, run the following command to start consuming by using the source code of `aws-kinesis-consumer` : ```shell # ...then start the consumer pipenv run invoke demo consume ``` ## Other commands All the following commands can be triggered using `pipenv run invoke <COMMAND>`. See the [invoke](https://www.pyinvoke.org/) project. | Command | Description | | ------- | ----------- | | `build` | Builds the application to all supported packages (e.g. pip, Docker). | | `deploy` | Deploys the previously built packages to PyPi and DockerHub. This is usually done from [Travis CI](https://travis-ci.com/github/thinow/aws-kinesis-consumer). | | `assertnotodos` | Verifies if there is any missing todos in the code, otherwise fails the build in [Travis CI](https://travis-ci.com/github/thinow/aws-kinesis-consumer). | | `snapshots` | Updates the Pytest snapshots (see [pytest-snapshot](https://pypi.org/project/pytest-snapshot/)). |
37.45977
173
0.722307
eng_Latn
0.967051
2297315948123d0af0c9d10631e32061d7a8b3d4
4,525
md
Markdown
articles/你凭什么说好莱坞“个人英雄主义”片不好?/post.md
ibeidou/-
eaa99dc0f4daad16bf06ba1c5e0cb14579a8a3ef
[ "MIT" ]
58
2018-05-06T17:41:51.000Z
2022-03-10T18:12:00.000Z
articles/你凭什么说好莱坞“个人英雄主义”片不好?/post.md
megaxianzhengblog/ibeidou-articles
eaa99dc0f4daad16bf06ba1c5e0cb14579a8a3ef
[ "MIT" ]
null
null
null
articles/你凭什么说好莱坞“个人英雄主义”片不好?/post.md
megaxianzhengblog/ibeidou-articles
eaa99dc0f4daad16bf06ba1c5e0cb14579a8a3ef
[ "MIT" ]
14
2018-05-08T00:58:30.000Z
2021-06-02T22:00:42.000Z
# 你凭什么说好莱坞“个人英雄主义”片不好? **[![1拯救大兵瑞恩](b28d9edf-9efc-45ec-9643-9228b94d396c.jpg)](f17ba742-30c2-4fb6-9c26-7460b81688db.jpg)** 对于一个影商不高的人来说,批评一部好莱坞电影一般分以下几个步骤: 逻辑漏洞——为啥坏人杀人前总是废话连篇?为啥英雄在枪林弹雨中总能毫发无损?为啥关键时刻手机肯定没信号?总而言之——为啥这个该死的主角还不死? 剧情好猜——胸口的怀表关键时刻肯定能挡子弹;死不见尸的反派肯定关键时刻捅刀子;打开的镜柜关上时一定能照出反派狰狞的面孔 我睡着了——《变形金刚》真无聊,我都睡着了!《阿凡达》真无聊,我都睡着了!《2012》真无聊,我都睡着了! 虽然这几种论调都存在不同程度的错误,但至少还都是可以破解的。 第一种说法显然是没搞清楚影视剧作逻辑和现实生活逻辑间的区别。主流好莱坞电影的隐含读者必定是大情节经典叙事的簇拥,所谓经典叙事,就是讲述一个主动主人公追求自己欲望,在一段连续的时间和一个连贯的虚拟现实中与外界力量对抗的故事,比如超人保护地球,擎天柱保护地球,查克·诺里斯保护地球等,而这种对抗,在好莱坞电影中又常常是以主人公的胜利结尾的,没人会想让主人公在完成自己目标之前就被反派枪决或身中流弹而死,因为这样会让整部片子的立意毁于一旦。 任何一个心智正常的观众都是去看主人公如何成功——而非如何失败的。但退一万步讲,假如真的有主人公不敌外力而惨遭非命的电影,持这类论调的人就会获得极致的满足么? 很遗憾,答案还是否定的。 有一位女文青,在看拉斯·冯·提尔的《黑暗中的舞者》时就对其中的励志元素嗤之以鼻,认为一个生活窘迫的女人根本不可能凭借对音乐的热爱战胜残酷的生活,认为这是导演不切实际的主观意图,还认为女主角愚蠢至极,活该穷困潦倒。 最后女主角在绞刑场被吊死,女文青哭得死去活来,说电影不能这么残酷,电影怎么可以完全扼杀希望,女主角一路奋斗怎么落得如此下场。 我在一旁哈哈笑。 于此相比,持第二种论调的人逻辑就比较自洽,因为预测剧情永远是展现自己谙熟叙事套路、通晓剧作门道的高逼格行为。但好莱坞身为当今最发达的电影产业,不可能没有自省和改革。其中有《灾难大电影》、《惊声尖笑》等片娱乐至死的自嘲,也有《林中小屋》、《海扁王》等片在讲故事的同时反省。在这一系列创新浪潮之下,守旧和俗套反而会慢慢变成标新立异,如今商业上大获成功的好莱坞电影,在剧作上可预测的俗套元素也变得越来越少。批评剧情俗套没错,但在日新月异的好莱坞,这种批评注定持续不了很久。真正优秀的好莱坞大情节电影不靠打破那些牢不可破的规则取胜——每个观众进场时都知道结局是正义必胜,但如何讲出这个结局,就决定了你的电影是《画皮2》还是《夺宝奇兵》。 第三种就不说了,该补觉补觉。 用以上三板斧去砍好莱坞电影那是过去的事了,现在就靠一板砖——你这是个人英雄主义!此大棒一出,天地变色,日月无光,一棒打得你《钢铁之躯》、《超人归来》一视同仁;《暗夜骑士》、《蝙蝠侠与罗宾》傻傻分不清楚。 只要这部影片有一个主角(是一个复联也没事,我们还有集体英雄主义!),只要这个主角不是坏蛋(是坏蛋也没事,我们还有个人反英雄主义!),只要这个主角最后战胜了邪恶(死了也没事,我们还有个人烈士主义!),那么文青们在走出电影院后都会捶胸顿足、摇头摊手:唉,又是一部个人英雄主义脑残片。要是不看见他们手里的电影票上《环太平洋》四个大字我还以为他们买的票是安德烈塔尔可夫斯基的《安德烈·鲁勃廖夫》结果进了场被五花大绑撑开双眼严刑拷打强制看完这部个人英雄主义电影的呢。 **[![EXPENDABLES 2.](193c4109-ab90-4504-aaec-7371b8375856.jpg)](5652d60f-eba6-4750-83d8-2a4324f2e5d2.jpg)** 英雄情结是人类所共通的,古希腊戏剧就大都取材于神话、英雄传说和史诗,近代弗·雅·普罗普的《故事形态学》作为结构主义叙事学的一座里程碑,其中为故事主人公列举的角色的31项功能也有浓重的个人英雄主义成分。 其中: 主人公离家出走 主人公经受考验、审讯或遭到攻击等 主人公获悉使用魔力的方法。 主人公与坏人殊死交锋。 主人公遇难得救 坏人败北 最初的灾难与贫穷得到解除 主人公返回家园 这一系列的角色行动可以概括大部分好莱坞“个人英雄主义电影”的主线情节了。除此之外,还可以参考约瑟夫·坎贝尔在1949年出版的《千面英雄》,通过对东西方神话、宗教、传说的分析,用12个元素总结出了一个英雄的原型,适用于绝大多数好莱坞电影: 1. 平凡世界(Ordinary World) 2. 冒险的召唤(Call to Adventure) 3. 拒绝召唤(Refusal of the Call) 4. 与智者的相遇(Meeting with the Mentor) 5. 跨过第一道门槛(Crossing the First Threshold) 6. 测试、盟友、敌人(Tests、Allies、Enemies) 7. 深入虎穴(Approach to the Inmost Cave) 8. 苦难(Ordeal) 9. 奖赏(Reward) 10. 归途(The Road Back) 11. 复活(Resurrection) 12. 拿到神药(Return with the Elixir) 好莱坞大情节动作片的本质就是当代神话、现代寓言,其中寄托了受众对寓言故事的每一分期待,也自然而然地具备了对个人英雄主义的传承。让我们以《霍比特人》为例,看看电影是怎样运用这一结构讲故事的: 比尔博是一名普通的霍比特人。(1. 平凡世界) 比尔博与甘道夫会面。(4.遇见智者) 一天晚上,十三名矮人受甘道夫之邀在比尔博家中开会,并邀请他一起去冒险。(2.召唤) 性情随和、爱好和平的比尔博拒绝了他们的邀请。(3.拒绝) 比尔博在第二天终于决定离开自己熟知的夏尔,加入了冒险队伍(5.第一个门槛) 加入冒险团队之后,比尔博认识了十三名矮人,经受了外界危险环境的考验和首领索林·橡木盾的质疑。(6.测试) 随后比尔博与众人失散,掉入山洞中,遇见了魔戒持有者咕噜(7.深入虎穴) 比尔博赢得了与咕噜的猜谜游戏并获得了魔戒 (9. 奖赏) 与众人汇合后(9.奖赏),他们准备继续前进。(10.归途) 众人在悬崖边被白面兽人重创后,甘道夫召唤巨鹰脱围(11.复活) 比尔博获得了宝剑、魔戒与索林·橡木盾的友谊。(12.不死药) 《霍比特人》可以说是一部在技术与艺术上双重成功的电影,无论是故事的紧凑程度还是硬件对其的基调烘托都可圈可点,但这样一部电影走的也恰恰是个人英雄主义叙事的老路,与众不同的是它将个人英雄主义走得漂亮,走得新颖,用细致到极致的美工和精致的场景完美地润色了一个经典到近乎老套的英雄故事。同时它也是一部严格遵循《千面英雄》中英雄历险模式的电影。可见,结构的模式化并不会导致影片落入俗套,显得陈词滥调,令观众厌烦。好莱坞主流商业电影的高明或优秀与否,往往不在于它是否有完全的创新,打破这些叙事规则,不在于它是否是一部“个人英雄主义电影”。反而是看它能不能“戴着枷锁跳舞”,在规则中玩出新意。所谓“清风明月常有而四时光景常新”,说的就是这个道理。 个人英雄主义本身并不是好的或者坏的,也不能代表一部影片的主控思想或质量,真正的问题是如何在你的冒险历程中展现全新的细节、场景,如果借结构更好地完成角色塑造,表达出新的思想与态度。并且由其在寓言故事中的生命力来看,个人英雄主义是人类叙事学上不可或缺、不可撼动的叙事美学,与此为敌无异于把自己放在了人类几千年叙事习惯的对立面上。批判个人英雄主义是显然不可取的。 更何况,相比于批判性的、冷冰冰的“个人英雄主义”这个词,美国大片里更多表现的是对个人的尊重,承认和关怀。孤胆英雄是不少,但他们往往都是肩负着责任或目标的,本质上并不是“自私”而是与其相对的“无私”:或在战场上舍身照顾队友,或与歹徒周旋勇救家人。亲情、友情、爱情三大感情一直与美式个人英雄主义相辅相成,宣扬的是对个人的杰出成就和巨大牺牲的肯定和承认。 同样是一部战争片,国产抗日神剧中常常出现的情景是士兵为了遵守命令壮烈牺牲,上级永远伟光正;而美国战争大片里主人公则经常是为了照顾队友/完成任务违背常理或上级的直接指示,比如《拯救大兵瑞恩》中用八个士兵去换家中最后一个儿子的故事,就是美式精神的完美体现,这种行为几乎不可能发生在其他任何一个国家的军队中,但整个故事逻辑严谨,剧情精彩,在观众对其中战争场面大呼过瘾之余也能认同其价值观。虽然英雄都有铁一般的原则,但美国战争片中也不会强调士兵要机械地服从命令,相反,以《全金属外壳》为代表的一系列电影反而在批评战争中对命令的机械遵守和对人性的泯灭。士兵对上级也并没有达到国产战争片中努力弘扬的绝对服从,保罗·格林格拉斯的《绿区》讲的就是一个个性强硬的士兵对抗美国高层腐败的故事。美式的影响之所以是英雄,是因为他们不代表任何一个利益团体,而是将众多理想品格具象化的体现。 **[![3全金属外壳](e3503b11-dbb7-4ec5-a800-e14683c8e191.jpg)](d903aa94-66ee-48f6-b226-7f977222c21a.jpg)** 同样地,美国大片之所以能够引起全世界人民的共鸣而成为人民喜闻乐见的主旋律,是因为它不针对任何一个种族,也不歌颂任何一个集团。其中的亲情、友情、爱情、公平、正义与人文关怀是属于全人类的精神,美国大片场面宏大,效果震撼,但无论多大的压力下都要花大量篇幅来体现家庭有多么温暖;友情有多么重要。《飓风营救》中孤胆英雄千里单骑只是为了家中的小女儿,《怒火救援》里的保镖大叔可以为萍水相逢的友情献出自己的生命。美式的个人英雄主义代表的往往是我们身边最渴望的和最珍视的,美式个人英雄主义的主旋律其实是全人类的主旋律。 最近肯尼亚商场的恐怖袭击事件中,一名正在度假的英国SAS特种部队士兵靠着随身携带的手枪,从枪林弹雨中杀进杀出12回,救出了被困在商场内的100名游客。这位英雄比好莱坞电影《虎胆龙威》中的布鲁斯·威利斯可谓是有过之而无不及,英国作为欧洲文化大国,受好莱坞个人英雄主义的影响自然是不小的,而相比于这位英雄,今年8月18日蚌埠一名女孩被歹徒勒住脖子、用刀捅死时,两位民警就在面前,却不敢挺身而出上前制止。直到歹徒自残倒地后,两位民警才上前将其控制。如此文化下的观众批评个人英雄主义时,是否缺了几分底气呢? **(采编**:王卜玄;**责编**:王卜玄)
37.090164
382
0.843978
yue_Hant
0.450508
22978591b446e4469785c2c02611eda2814eff4e
18
md
Markdown
README.md
jewetnitg/frontend-server
bd48a002cfc930ccf10f30c18910438d55dced04
[ "Apache-2.0" ]
null
null
null
README.md
jewetnitg/frontend-server
bd48a002cfc930ccf10f30c18910438d55dced04
[ "Apache-2.0" ]
null
null
null
README.md
jewetnitg/frontend-server
bd48a002cfc930ccf10f30c18910438d55dced04
[ "Apache-2.0" ]
null
null
null
# frontend-server
9
17
0.777778
eng_Latn
0.370296
2298e699e7adfe95db434f90bc78f4f491ea95a6
2,053
md
Markdown
_portfolio/kele.md
thejonlee/thejonlee.github.io
b49d97de8d5fbc9ff7bb45fc448d1da86e10284c
[ "MIT" ]
null
null
null
_portfolio/kele.md
thejonlee/thejonlee.github.io
b49d97de8d5fbc9ff7bb45fc448d1da86e10284c
[ "MIT" ]
null
null
null
_portfolio/kele.md
thejonlee/thejonlee.github.io
b49d97de8d5fbc9ff7bb45fc448d1da86e10284c
[ "MIT" ]
null
null
null
--- layout: post title: Kele Client thumbnail-path: "img/kele.png" short-description: Kele is a ruby gem client built to access the Bloc API. --- {:.center} ![]({{ site.baseurl }}/img/kele.png) ## Summary Kele is a Ruby Gem API client built to access the [Bloc API](https://blocapi.docs.apiary.io/#). It handles the details of requests and responses allowing Bloc students easy access to their information from the command line. ## Explanation The Kele client allows Bloc students to do the following: 1. Initialize and authorize client using user log-in 2. Retrieve personal user information 3. Retrieve mentor schedule and availability 4. Retrieve roadmaps and checkpoints 5. Retrieve message threads, respond to message, and create new ones 6. Submit assignments for grading ## Problem The main problem with this project was creating functionality for each of the user stories without the codebase becoming unnecessarily complicated or unwieldy. ## Solution This was easily achieved by separating out the checkpoint submissions, roadmap access, and messaging functionality into their own separate files, and requiring them individually in the main kele.rb file. {% highlight ruby %} require 'httparty' require 'json' require_relative './roadmap' require_relative './messages' require_relative './checkpoints' class Kele include HTTParty include Roadmap include Messages include Checkpoints base_uri 'https://www.bloc.io/api/v1/' {% endhighlight %} ## Results Once set up, the Kele client is fairly simple to use to retrieve student information from the command line and works as expected. All of the information can be called from the command line, and returned as a JSON blob. ## Conclusion This was one of my first experiences with an API, and manipulating information using cURL commands from the command line. It was very educational to learn how to translate information into readable JSON, and make calls to pull the desired data. [Click here](https://github.com/thejonlee/Kele) to access the code repository on Github.
38.018519
244
0.783244
eng_Latn
0.99599
229a087dd6c3e0a91584a06f5644e61933dcb6a6
7,320
md
Markdown
schemastructions.md
Navprayas-A-group-of-Innovative-thought/Navprayas-Backend
49af9c4dea7f3d5d3ed6bf4a2ab53a798652f973
[ "MIT" ]
2
2021-05-14T01:57:12.000Z
2021-05-14T01:57:12.000Z
schemastructions.md
Navprayas-A-group-of-Innovative-thought/Backend
49af9c4dea7f3d5d3ed6bf4a2ab53a798652f973
[ "MIT" ]
4
2020-08-11T09:37:51.000Z
2021-05-14T01:28:10.000Z
schemastructions.md
Navprayas-A-group-of-Innovative-thought/Backend
49af9c4dea7f3d5d3ed6bf4a2ab53a798652f973
[ "MIT" ]
2
2020-08-10T08:13:09.000Z
2020-08-10T08:29:29.000Z
# Form Schema and validation INSTRUCTIONS #### 1. MTSE FORM SCHEMA * Body request will be passed as : ```json { "user": { "firstName": "hriik", "lastName": "kumar", "dob": "2002-03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026378427" }, "address": { "houseNumber": "BR-01-02", "landmark": "new delhi park", "addressLine1": "manpur", "addressLine2": "patwatoli", "district": "gaya", "city": "gaya", "state": "bihar", "country": "india", "pincode": "672589" }, "fatherName": "me", "motherName": "fu", "education": { "class": "6", "school": "pes", "board": "cbse" } }, "referenceNumber": "hfsad", "transactionId": "1234", "transactionDate": "2020/08/15", "registrationDate": "2020/08/15", "eventId": "mtse", "questionPaperLang": "english", "admitCardNumber": "12", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the MTSE Form is http://localhost:5000/mtse #### 2. PUZZLE RACE FORM SCHEMA * Body request will be passed as : ```json { "user": { "firstName": "hriik", "lastName": "kumar", "dob": "2002-03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026378427" }, "address": { "houseNumber": "BR-01-02", "landmark": "new delhi park", "addressLine1": "manpur", "addressLine2": "patwatoli", "district": "gaya", "city": "gaya", "state": "bihar", "country": "india", "pincode": "672589" }, "fatherName": "me", "motherName": "fu", "education": { "class": "6", "school": "pes", "board": "cbse" } }, "referenceNumber": "hfsad", "transactionId": "1234", "transactionDate": "2020/08/15", "registrationDate": "2020/08/15", "eventId": "mtse", "category": "junior", "admitCardNumber": "12", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the Puzzle Race Form is http://localhost:5000/puzzlerace #### 3. FREE HAND SKETCHING FORM SCHEMA * Body request will be passed as : ```json { "user": { "firstName": "hriik", "lastName": "kumar", "dob": "2002-03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026378427" }, "address": { "houseNumber": "BR-01-02", "landmark": "new delhi park", "addressLine1": "manpur", "addressLine2": "patwatoli", "district": "gaya", "city": "gaya", "state": "bihar", "country": "india", "pincode": "672589" }, "fatherName": "me", "motherName": "fu" }, "referenceNumber": "hfsad", "transactionId": "1234", "transactionDate": "2020/08/15", "registrationDate": "2020/08/15", "eventId": "mtse", "category": "junior", "admitCardNumber": "12", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the Free Hand Sketching Form is http://localhost:5000/fhs #### 4. CHESS FORM SCHEMA * Body request will be passed as : ```json { "user": { "firstName": "hriik", "lastName": "kumar", "dob": "2002-03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026378427" }, "address": { "houseNumber": "BR-01-02", "landmark": "new delhi park", "addressLine1": "manpur", "addressLine2": "patwatoli", "district": "gaya", "city": "gaya", "state": "bihar", "country": "india", "pincode": "672589" }, "fatherName": "me", "motherName": "fu" }, "referenceNumber": "hfsad", "transactionId": "1234", "transactionDate": "2020/08/15", "registrationDate": "2020/08/15", "eventId": "mtse", "haveChessBoard":"true", "category": "junior", "admitCardNumber": "12", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the Chess Form is http://localhost:5000/chess #### 5. RANGOTSAV FORM SCHEMA * Body request will be passed as : ```json { "user":[ { "firstName": "hriik", "lastName": "kumar", "dob": "2002/03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026374627" }, "address": { "houseNumber": "BR-01-02", "landmark": "new delhi park", "addressLine1": "manpur", "addressLine2": "patwatoli", "district": "gaya", "city": "gaya", "state": "bihar", "country": "india", "pincode": "672589" }, "fatherName": "me", "motherName": "fu" }], "referenceNumber": "hfsad", "registrationDate": "2020/08/15", "eventId": "mtse", "category": "junior", "admitCardNumber": "12", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the Rangotsav Form is http://localhost:5000/rangotsav #### 6. CAREER COUNSELLING FORM SCHEMA * Body request will be passed as : ```json { "firstName": "hriik", "lastName": "kumar", "dob": "2002-03/21", "gender": "male", "email": "[email protected]", "contact": { "primary": "9204534523", "other": "7026378427" }, "referenceNumber": "hfsad", "registrationDate": "2020/08/15", "eventId": "mtse", "year": "2020" } ``` * These Fields are validated. [Click me](#validation) to go to Validation section. * The route for the Career Counselling Form is http://localhost:5000/career ### Validation * used **express-validator** package * Every field of the form is required to be filled. * Value of the fields is accepted in the following format : * **firstName**, **lastName** : hritik (only a-zA-Z) * **fatherName**, **motherName** : Meghnath prasad (only a-zA-Z and space in between) * **dates** : 2002/03/21 (YYYY/MM/DD) * **email** : [email protected] * **mobile no.** : +919204526767 or 09204253423 or 9204256251 * **pincode** : 823003 (valid 6 digit postal code) **GO TO LINKS** 1. [MTSE](#1-mtse-form-schema) 2. [Puzzle Race](#2-puzzle-race-form-schema) 3. [Free Hand Sketching](#3-free-hand-sketching-form-schema) 4. [Chess](#4-chess-form-schema) 5. [Rangotsav](#5-rangotsav-form-schema) 6. [Career Counselling](#6-career-counselling-form-schema)
28.48249
89
0.519262
eng_Latn
0.22825
229a0e491f8e859a4fa71590cb9c3824dede9810
2,308
md
Markdown
src/vi/2020-04/12/03.md
Pmarva/sabbath-school-lessons
0e1564557be444c2fee51ddfd6f74a14fd1c45fa
[ "MIT" ]
68
2016-10-30T23:17:56.000Z
2022-03-27T11:58:16.000Z
src/vi/2020-04/12/03.md
Pmarva/sabbath-school-lessons
0e1564557be444c2fee51ddfd6f74a14fd1c45fa
[ "MIT" ]
367
2016-10-21T03:50:22.000Z
2022-03-28T23:35:25.000Z
src/vi/2020-04/12/03.md
Pmarva/sabbath-school-lessons
0e1564557be444c2fee51ddfd6f74a14fd1c45fa
[ "MIT" ]
109
2016-08-02T14:32:13.000Z
2022-03-31T10:18:41.000Z
--- title: Thời Gian để Tái Khám Phá date: 14/12/2020 --- Khi Môi-se được yêu cầu dẫn dắt dân Y-sơ-ra-ên ra khỏi xứ Ê-díp-tô, rõ ràng là dân sự đã mất đi hy vọng là con của Chúa. Họ cần phải khám phá lại ai là Chúa, ai là Đấng đã yêu cầu sự thờ phượng của họ và ban cho họ nhiều lời hứa về một tương lai tươi sáng. Ngày Sa-bát là kinh nghiệm học tập chủ chốt trong hành trình tái khám phá của họ. Nó cũng là một dấu cho các quốc gia khác nhìn biết về mối quan hệ đặc biệt giữa Chúa và dân sự của Ngài. Kinh nghiệm về bánh Ma-na là bài học mẫu mực trong cách Chúa giáo dục người Y-sơ-ra-ên. `Đọc Xuất-ê-díp-tô ký 16: 14- 29, dân Y-sơ-ra-ên học được những bài học gì ở? ` Chúa làm phép lạ về bánh ma-na cho người Y-sơ-ra-ên, Ngài ban cho họ vừa đủ lương thực trong mỗi ngày. Nếu Ngài cho họ nhiều hơn số lượng đó, sẽ khiến họ quên đi Người cung cấp lương thực là ai. Cho nên mỗi ngày Ngài thực hiện một phép lạ cho họ và họ nhận biết sự chăm sóc của Chúa. Tuy nhiên, vào ngày Sa-bát thì tình hình lại khác, đó là một ngày đặc biệt. Bây giờ, hai phép lạ được thực hiện: họ được nhận thực phẩm gấp đôi trong ngày thứ sáu, và thực phẩm chẳng hề hư hỏng qua đêm. Điều đó đã lưu lại ngày Sa-bát cho người Y-sơ-ra-ên để khiến họ kinh ngạc trước Chúa và tái khám phá việc trở nên người của Chúa có ý nghĩa như thế nào. Dân Y-sơ-ra-ên đã ăn bánh ma-na trong suốt 40 năm (Xuất. 16:35). Chúa cũng chỉ thị cho Môi-se lưu lại một ô-me ma-na để nhắc nhở dân Y-sơ-ra-ên cách mà Ngài đã nuôi họ trong đồng vắng suốt 40 năm (Xuất 16:32,33). Nó cũng là một vật nhắc nhớ lại sự trải nghiệm đặc biệt về ngày Sa-bát. Chúa đã nhiều lần nhấn mạnh với dân Y-sơ-ra-ên rằng ngày Sa-bát là đặc biệt. Ngày Sa-bát là một cách Chúa giúp dân Y-sơ-ra-ên tái khám phá về bản tính của mình và Chúa của mình. Họ được yêu cầu vâng giữ ngày Sa-bát thánh, nhưng điều này ở trong bối cảnh phát triển một sự hiểu biết sâu sắc hơn về tính cách của Đấng Sáng Tạo và về việc xây dựng một mối quan hệ lâu dài. `Bạn đang nói chuyện với các bạn tuổi “thiếu niên” là những người đang nhận thấy ngày Sa-bát nhàm chán. Họ đang giữ ngày Sa-bát đơn giản chỉ vì đó là những gì Kinh Thánh dạy và cha mẹ họ bảo họ phải làm theo. Bạn sẽ cho họ những đề nghị gì để giúp họ tái khám phá về ngày Sa-bát như là một trải nghiệm học hỏi tích cực? `
144.25
639
0.730069
vie_Latn
1.00001
229a558cd1f8cc232a2b6b0b066bc28e95af8937
1,008
md
Markdown
library/NewMorningMercies/0318.md
reformed-beginner/expository-thoughts
21de448ed2f35c070c9822eef7b47572cbdf424c
[ "MIT" ]
1
2020-07-21T05:27:38.000Z
2020-07-21T05:27:38.000Z
library/NewMorningMercies/0318.md
reformed-beginner/expository-thoughts
21de448ed2f35c070c9822eef7b47572cbdf424c
[ "MIT" ]
null
null
null
library/NewMorningMercies/0318.md
reformed-beginner/expository-thoughts
21de448ed2f35c070c9822eef7b47572cbdf424c
[ "MIT" ]
null
null
null
--- layout: post title: 晨恩日新 三月十八日 categories: NewMorningMercies description: day 18 keywords: 晨恩日新,保罗区普 comments: false permalink: /library/NewMorningMercies/0318 --- ## 三月十八日 ### 还要面对失望与失败?不用吃惊了,你仍是问题多多。 <br> 你的世界仍在堕落——幸好上帝的恩典常在。 &emsp;&emsp;你若非真心相信圣经的话——包括它说我们是谁,还有这世界的本质是什么——就会活在不现实的期待中,面对试探会显得幼稚,终日吃惊和失望。且让我们看看圣经怎样说,包括我们是谁,还有「已然」及「未然」之间的世界究竟是何模样。 &emsp;&emsp;虽然上帝的救赎已经展开,但我们身处的世界仍是破损不堪,根本不是按照上帝的美好本意运作。罗马书第八章就世界的破损状况有精彩的描迹,保罗用了三个片语:「服在虚空之下」(20节)、「败坏的辖制」(21节)、「阵痛」(22节,《和修本》)。在堕落了的世界,虚空是免不了的。万事总是不大对劲,不论如何努力,也总避不开世界的弯曲悖谬。到处都是死亡与败坏——人、事、梦想、关系,受造物无一幸免。有时痛苦是强烈的,就如生产的阵痛。在这破损的重压之下,保罗说「一切受造之物一同叹息」(22节)。(顺带一提:圣经的话也提醒我们要关注环境保护。) &emsp;&emsp;圣经对我们的状况也有清晰的提醒。使徒约翰说:「我们若说自己无罪,便是自欺,真理不在我们心里了。」(约壹一8)罪的权势虽然被打破,但罪仍然存在于我们里面;可喜的是,上帝的救恩可以日渐消除罪对我们的影响。按我们的生活经验可知,我们仍是罪人,心中有罪与过犯的黑暗一面,仍未完全脱离来自心中的危险。 &emsp;&emsp;不认真接受圣经对世界及内心状况的看法,也就不会以上帝恩典为唯一盼望,继而轻视祂的饶恕、拯救、保护、改变。唯有上帝的恩典能够保守你脱离身外及身内之恶。 &emsp;&emsp;现实比你所想的更不堪,但上帝的恩典,也远比你所想的更大。圣经中的信心,正正立于沉痛现实与光荣盼望的交叉点上。 更多的信息和勉励:[创世记六章1至8节](http://rcuv.hkbs.org.hk/CUNP1s/GEN/6/)
37.333333
274
0.806548
yue_Hant
0.465921
229af17f81403691c708b424a11358e8822017ff
3,607
md
Markdown
microsoft-365/managed-desktop/intro/compliance.md
MicrosoftDocs/microsoft-365-docs-pr.nl-NL
6e5ca6bfc9713df2e28347bd1ca1c86d38113afb
[ "CC-BY-4.0", "MIT" ]
4
2020-05-18T20:11:39.000Z
2022-01-29T01:34:41.000Z
microsoft-365/managed-desktop/intro/compliance.md
MicrosoftDocs/microsoft-365-docs-pr.nl-NL
6e5ca6bfc9713df2e28347bd1ca1c86d38113afb
[ "CC-BY-4.0", "MIT" ]
null
null
null
microsoft-365/managed-desktop/intro/compliance.md
MicrosoftDocs/microsoft-365-docs-pr.nl-NL
6e5ca6bfc9713df2e28347bd1ca1c86d38113afb
[ "CC-BY-4.0", "MIT" ]
3
2021-03-14T23:50:07.000Z
2021-08-19T14:14:01.000Z
--- title: Compliance description: In dit artikel worden de nalevingsstandaarden vermeld die relevant zijn voor Microsoft Managed Desktop. keywords: Microsoft Managed Desktop, Microsoft 365, service, documentatie ms.service: m365-md author: jaimeo ms.localizationpriority: medium ms.collection: M365-modern-desktop ms.author: jaimeo manager: laurawi ms.topic: article ms.openlocfilehash: b2200a649394c750aaaee76ce736934410affa5e ms.sourcegitcommit: d4b867e37bf741528ded7fb289e4f6847228d2c5 ms.translationtype: MT ms.contentlocale: nl-NL ms.lasthandoff: 10/06/2021 ms.locfileid: "60212747" --- # <a name="compliance"></a>Compliance Wanneer u Microsoft Managed Desktop gebruikt, biedt Microsoft u een uitgebreide reeks nalevingsaanbiedingen. Met deze inspanning voldoet uw organisatie aan de verschillende nalevingsvereisten. ## <a name="compliance-coverage"></a>Nalevingsdekking Microsoft Managed Desktop heeft de volgende certificeringen bereikt: - [ISO 27001 Information Security Management Standards (ISMS)](/compliance/regulatory/offering-ISO-27001) - [ISO 27701 Privacy Information Management System (PIMS)](/compliance/regulatory/offering-iso-27701) - [ISO 27017-praktijkcode voor besturingselementen voor informatiebeveiliging](/compliance/regulatory/offering-ISO-27017) - [ISO 27018-praktijkcode voor het beveiligen van persoonlijke gegevens in de cloud](/compliance/regulatory/offering-ISO-27018) - [ISO 9001 Kwaliteitsbeheersystemenstandaarden](/compliance/regulatory/offering-ISO-9001) - [ISO 20000-1 Information Technology Service Management](/compliance/regulatory/offering-ISO-20000-1-2011) - [ISO 22301 Business Continuity Management Standard](/compliance/regulatory/offering-ISO-22301) - [Star-bevestiging van Cloud Security Alliance (CSA)](/compliance/regulatory/offering-CSA-STAR-Attestation) - [Star-certificering (Cloud Security Alliance)](/compliance/regulatory/offering-CSA-Star-Certification) - [Besturingselementen voor serviceorganisaties (SOC) 1, 2, 3](/compliance/regulatory/offering-SOC) - [IRAP (Information Security Registered Assessor Program)](/compliance/regulatory/offering-ccsl-irap-australia) - [Payment Card Industry (PCI) Data Security Standard (DSS)](/compliance/regulatory/offering-PCI-DSS) - [Health Insurance Portability and Accountability Act (HIPAA)](/compliance/regulatory/offering-hipaa-hitech) - [Health Information Trust Alliance (HITRUST) Common Security Framework (CSF)](/compliance/regulatory/offering-hitrust) ## <a name="auditor-reports-and-compliance-certificates"></a>Auditrapporten en compliancecertificaten U vindt relevante informatie, waaronder beheer en technische vereisten, in de [Service Trust Portal (STP),](https://servicetrust.microsoft.com/)de centrale opslagplaats voor dergelijke informatie over Microsoft Cloud Service aanbiedingen. U kunt auditrapporten, compliancecertificaten en meer downloaden uit de sectie [Auditrapporten](https://servicetrust.microsoft.com/ViewPage/MSComplianceGuide) van de STP. > [!NOTE] > Omdat Microsoft Managed Desktop azure wordt uitgevoerd, bevatten relevante documenten meestal bestandsnamen zoals 'Microsoft Azure, Dynamics 365 en andere onlineservices'. In deze documenten vindt u meestal Microsoft Managed Desktop onder de categorie 'Microsoft Online Services' of 'Monitoring + Management'. ## <a name="shared-responsibility"></a>Gedeelde verantwoordelijkheid Compliance voor cloudservices is een gedeelde verantwoordelijkheid tussen cloudserviceproviders en hun klanten. Zie Gedeelde verantwoordelijkheid in de cloud voor [meer informatie.](/azure/security/fundamentals/shared-responsibility)
69.365385
409
0.822844
nld_Latn
0.736835
229b75cb772a56eebb26b461f96bd7c0546283cd
1,162
md
Markdown
README.md
FCOO/fcoo-maps
93baa011ce6920aa4d43c6fbe84a1cab8b88d34b
[ "MIT" ]
null
null
null
README.md
FCOO/fcoo-maps
93baa011ce6920aa4d43c6fbe84a1cab8b88d34b
[ "MIT" ]
4
2020-09-04T06:33:09.000Z
2021-01-04T15:51:59.000Z
README.md
FCOO/fcoo-maps
93baa011ce6920aa4d43c6fbe84a1cab8b88d34b
[ "MIT" ]
null
null
null
# fcoo-maps ## Description Base for all FCOO maps-applications. If the application has time-depend layers include [`fcoo-maps-time`](https://github.com/FCOO/fcoo-maps-time.git) instead (`fcoo-maps-time` includes `fcoo-maps`). The different layers are in separate packages named `fcoo-maps-LAYER-NAME` Each layer using `fcoo-maps` or [`fcoo-maps-time`](https://github.com/FCOO/fcoo-maps-time.git) ## Installation ### bower `bower install https://github.com/FCOO/fcoo-maps.git --save` ## Demo http://FCOO.github.io/fcoo-maps/demo/ <!-- ## Usage ```var myFcooMaps = new FcooMaps( options );``` ### options | Id | Type | Default | Description | | :--: | :--: | :-----: | --- | | options1 | boolean | true | If <code>true</code> the ... | | options2 | string | null | Contain the ... | ### Methods .methods1( arg1, arg2,...): Do something .methods2( arg1, arg2,...): Do something else --> ## Copyright and License This plugin is licensed under the [MIT license](https://github.com/FCOO/fcoo-maps/LICENSE). Copyright (c) 2020 [FCOO](https://github.com/FCOO) ## Contact information Niels Holt [email protected] ## Credits and acknowledgements
22.784314
161
0.670396
eng_Latn
0.536175
229c2e981ff3cec2de419c0e6d1f8facee8be64d
6,695
md
Markdown
not-posts/Alts/Vertcoin/vertcoin.md
baww-com/baww-com.github.io
9837e415dd86cdc80d5c81049a5a3ba49cf6109f
[ "MIT" ]
null
null
null
not-posts/Alts/Vertcoin/vertcoin.md
baww-com/baww-com.github.io
9837e415dd86cdc80d5c81049a5a3ba49cf6109f
[ "MIT" ]
null
null
null
not-posts/Alts/Vertcoin/vertcoin.md
baww-com/baww-com.github.io
9837e415dd86cdc80d5c81049a5a3ba49cf6109f
[ "MIT" ]
null
null
null
--- layout: page title: How to Buy Vertcoin Cryptocurrency seo_title: "2 Ways to Buy Vertcoin Cryptocurrency - Credit or Debit Card and Bank Account" permalink: /vertcoin/ --- ## Vertcoin ![VertcoinIcon](/img/verticon.png){: .cryptoicons} ## How to Buy Vertcoin with Credit Card and Debit Card At the moment, the only way of obtaining Vertcoin with a credit or debit card is by buying Bitcoin, and then trading Bitcoin for Vertcoin on an exchange, such as [Binance](https://www.binance.com/?ref=18991911){:target="_blank"}. ## How to Buy Vertcoin with Bank Transfer There is currently only one way of buying Vertcoin with a bank transfer or wire. Please see below for a detailed explanation. ## Method 1 - USD/EUR -> BTC -> VTC ### Step 1: Buy Bitcoin There are several exchanges through which you can buy Bitcoin. [Coinbase](https://www.coinbase.com/join/53bc38a3b11f6623df000004){:target="_blank"}, [Coinmama](https://www.coinmama.com/?ref=buyaltcoinsworldwide){:target="_blank"}, or [BitPanda](https://www.bitpanda.com/?ref=7989064235904733469){:target="_blank"} are the easiest to use. [Coinbase](https://www.coinbase.com/join/53bc38a3b11f6623df000004){:target="_blank"} is a very beginner friendly US based exchange, that sells cryptocurrency to most countries and all US states. To see if Coinbase supports your country, [check this link](https://support.coinbase.com/customer/en/portal/articles/1392031-what-countries-are-buys-and-sells-available-in-)! [Coinmama](https://www.coinmama.com/?ref=buyaltcoinsworldwide){:target="_blank"} handles credit or debit card purchases. Coinmama is great because they have higher credit or debit card purchasing limits than Coinbase, as well as fast delivery of your funds. [Bitpanda](https://www.bitpanda.com/?ref=7989064235904733469){:target="_blank"}. Bitpanda is an exchange that processes credit or debit card purchases. Their fees are slightly lower, but *ONLY* sells Bitcoin to residents of European Union (EU) countries. Coinbase is the most beginner friendly while Coinmama is great for credit or debit transactions as it has higher purchase limits and quick delivery. BitPanda is great (but it only works in Europe) and has a 5% fee on credit or debit purchases. We will use Coinbase in this example. Also, if you purchase over $100 of Bitcoin through the following link, you will receive an extra $10 BTC for FREE! Create an account [on Coinbase](https://www.coinbase.com/join/53bc38a3b11f6623df000004){:target="_blank"} if you don’t have one already and then add your payment method. After creating your Coinbase account, you need to add a payment method. If you are going for the route with the lowest fees, it is best to use a bank transfer. If timing is more important, use a credit or debit card, as this is much faster! The Coinbase signup process takes time, but this is to ensure security for customers. Click the Buy/Sell tab on the top/middle of your screen. From this page, you can easily purchase Bitcoin, Litecoin, or Ethereum. All of these cryptocurrencies can be converted into Vertcoin on exchanges such as [Binance](https://www.binance.com/?ref=18991911){:target="_blank"}, but for this tutorial we will use Bitcoin. ## Fiat to Bitcoin Exchanges <table class="basic-table" align="center"> <tr> <th>Exchange</th> <th>Countries</th> <th>Fees</th> </tr> <tr> <td><a href="https://www.coinbase.com/join/53bc38a3b11f6623df000004"> Coinbase</a></td> <td>USA</td> <td>1.49% - Bank </td> </tr> <tr> <td><a href="https://www.coinmama.com/?ref=buyaltcoinsworldwide">Coinmama</a></td> <td>Mostly Everywhere</td> <td>5.5% Credit/Debit</td> </tr> <tr> <td><a href="https://www.bitpanda.com/?ref=7989064235904733469">Bitpanda</a></td> <td>Europe ONLY</td> <td>5% - Credit/Debit </td> </tr> </table> ![Coinbasehome](/img/Coinbase3.png){: .medium-pic} ![Coinbasehome](/img/Coinbase2.png){: .medium-pic} After hitting Confirm Buy, you are finished with this step! Next will be transferring the Bitcoin to a Vertcoin exchange. Also, at this point, we strongly suggest setting up two-factor authentication (2FA) on all exchanges. Two factor authentication combines two different verification methods to ensure the real user is trying to access the account. ## Bitcoin to Vertcoin Exchanges <table class="basic-table" align="center"> <tr> <th>Exchange</th> <th>Countries</th> <th>Fees</th> </tr> <tr> <td><a href="https://bittrex.com/">Bittrex</a></td> <td>Everywhere</td> <td>.25%</td> </tr> </table> ### Step 2: Transfer your Bitcoin Once you have Bitcoin, you will need to move it to an exchange that has BTC/VTC pairs. [Bittrex](https://bittrex.com/){:target="_blank"} is a great crypto to crypto exchange to use for Vertcoin. Click the send button in your BTC wallet as seen in the picture below. You will be asked for the recipients wallet address. You can find this by going to your wallets page on Bittrex and click the plus sign next to Bitcoin. Copy and paste the address into the recipients box. ![Coinbasehome](/img/Send1.png){: .medium-pic} ![Coinbasehome](/img/BittrexWithdraw.png){: #biggerpicture} ![Coinbasehome](/img/Send2.png){: .medium-pic} ![Coinbasehome](/img/Send3.png){: #biggerpicture} Depending on the traffic on the Bitcoin network, your transfer may take 20 minutes to an hour, sometimes longer. This can be stressful but do not worry! ### Step 3: Buy Vertcoin After sending your Bitcoin to Binance, go to the [BTC/VTC trading page](https://bittrex.com/Market/Index?MarketName=BTC-VTC) and enter a ratio you are comfortable with which you are comfortable. You can look at the order book to get a sense of the current rates. After your order is processed, you will see it in your Vertcoin wallet balance in Bittrex. ![Coinbasehome](/img/vtcexchange.png){: #biggerpicture} ## How to Mine Vertcoin Read our detailed [Vertcoin mining guide](/mining/hardware/vertcoin/)! ## How to Buy Vertcoin with PayPal Due to Paypal's chargeback feature, buying Vertcoin with Paypal requires one extra step. The exchange [VirWoX](https://www.virwox.com?r=22aa25){:target="_blank"} allows you to convert paypal balance into Bitcoin. [Read our tutorial on this conversion](/buy-bitcoin/paypal/). Once you have Bitcoin, you can send it to Bittrex as seen in the example above. ## Can I Buy Vertcoin on Coinbase? Currently, Coinbase does not sell Vertcoin. Follow the steps above to learn how to obtain Vertcoin. If you don't have any Bitcoin, use [Coinbase](https://www.coinbase.com/join/53bc38a3b11f6623df000004){:target="_blank"} to get started! ### How to securely store Vertcoin Read our guide on [Vertcoin wallets!](/wallets/vertcoin/)
54.430894
470
0.752054
eng_Latn
0.978972
229e6223ddcc5308884bff999f939960ba7f419b
77
md
Markdown
README.md
IoT-Ignite/AI-SmartMultiplication
6cf1290eabe8022bc9ba0daa8904182dce0e691c
[ "Apache-2.0" ]
null
null
null
README.md
IoT-Ignite/AI-SmartMultiplication
6cf1290eabe8022bc9ba0daa8904182dce0e691c
[ "Apache-2.0" ]
null
null
null
README.md
IoT-Ignite/AI-SmartMultiplication
6cf1290eabe8022bc9ba0daa8904182dce0e691c
[ "Apache-2.0" ]
null
null
null
# AI-SmartMultiplication A sample AI implementation for multiplying numbers.
25.666667
51
0.844156
eng_Latn
0.919026
229f5a1bae9253c8e4e875d73d5b3f90f8b3e36f
127
md
Markdown
yeeun/scratch_yeeun.md
jiyoung-choi/TWL
925ac475c88bdb82eb6235b62e8195edd9d5ec70
[ "MIT" ]
6
2018-07-06T03:40:27.000Z
2018-07-30T06:10:51.000Z
yeeun/scratch_yeeun.md
jiyoung-choi/TWL
925ac475c88bdb82eb6235b62e8195edd9d5ec70
[ "MIT" ]
72
2018-06-28T06:21:46.000Z
2018-07-26T11:06:42.000Z
yeeun/scratch_yeeun.md
jiyoung-choi/TWL
925ac475c88bdb82eb6235b62e8195edd9d5ec70
[ "MIT" ]
46
2018-06-28T06:08:07.000Z
2018-09-06T07:56:55.000Z
[링크1](https://scratch.mit.edu/projects/235233796/#player) [링크2](https://scratch.mit.edu/projects/235199381/) # 두개 더 만드는 중입니다!
25.4
57
0.724409
kor_Hang
0.823296
229f7ef5a31e5ce47e26d530ff2c5899f00c647d
148
md
Markdown
CHANGELOG.md
ibm-pett/acct-config-iam
851443febb1d8b5ec47c19968e65d82bb9cfd5d1
[ "Apache-2.0" ]
null
null
null
CHANGELOG.md
ibm-pett/acct-config-iam
851443febb1d8b5ec47c19968e65d82bb9cfd5d1
[ "Apache-2.0" ]
null
null
null
CHANGELOG.md
ibm-pett/acct-config-iam
851443febb1d8b5ec47c19968e65d82bb9cfd5d1
[ "Apache-2.0" ]
2
2020-12-21T18:22:42.000Z
2021-04-02T19:17:10.000Z
Please include the following information for each change: - Release Tag - Release Date - Release Notes - Features - Enhancements - Bugs
14.8
59
0.716216
eng_Latn
0.997395
22a1bb2964aeddb27e4f9101e7bd2f3c79094e38
5,336
md
Markdown
docs/web-service-reference/attachments-ex15websvcsotherref.md
MicrosoftDocs/office-developer-exchange-docs.es-ES
95988b6726d9e62f0e7a45b9968258bab7d59744
[ "CC-BY-4.0", "MIT" ]
1
2020-05-19T18:53:43.000Z
2020-05-19T18:53:43.000Z
docs/web-service-reference/attachments-ex15websvcsotherref.md
MicrosoftDocs/office-developer-exchange-docs.es-ES
95988b6726d9e62f0e7a45b9968258bab7d59744
[ "CC-BY-4.0", "MIT" ]
2
2021-12-08T04:02:05.000Z
2021-12-08T04:02:23.000Z
docs/web-service-reference/attachments-ex15websvcsotherref.md
MicrosoftDocs/office-developer-exchange-docs.es-ES
95988b6726d9e62f0e7a45b9968258bab7d59744
[ "CC-BY-4.0", "MIT" ]
null
null
null
--- title: Datos adjuntos manager: sethgros ms.date: 09/17/2015 ms.audience: Developer ms.topic: reference ms.prod: office-online-server ms.localizationpriority: medium api_name: - Attachments api_type: - schema ms.assetid: b470e614-34bb-44f0-8790-7ddbdcbbd29d description: El elemento Attachments contiene los elementos o archivos adjuntos a un elemento del Exchange almacén. ms.openlocfilehash: e37ff7710aaa08f3caabcecb056331091e50933c ms.sourcegitcommit: 54f6cd5a704b36b76d110ee53a6d6c1c3e15f5a9 ms.translationtype: MT ms.contentlocale: es-ES ms.lasthandoff: 09/24/2021 ms.locfileid: "59531204" --- # <a name="attachments"></a>Attachments El **elemento Attachments** contiene los elementos o archivos adjuntos a un elemento del Exchange almacén. ```xml <Attachments> <ItemAttachment/> <FileAttachment/> </Attachments> ``` **ArrayOfAttachmentsType** y **NonEmptyArrayOfAttachmentsType** ## <a name="attributes-and-elements"></a>Atributos y elementos En las siguientes secciones se describen los atributos, elementos secundarios y elementos primarios. ### <a name="attributes"></a>Atributos Ninguno. ### <a name="child-elements"></a>Elementos secundarios |**Elemento**|**Descripción**| |:-----|:-----| |[ItemAttachment](itemattachment.md) <br/> |Representa un Exchange que se adjunta a otro Exchange elemento. <br/> | |[FileAttachment](fileattachment.md) <br/> |Representa un archivo adjunto a un elemento del Exchange almacén. <br/> | ### <a name="parent-elements"></a>Elementos principales |**Elemento**|**Descripción**| |:-----|:-----| |[CreateAttachment](createattachment.md) <br/> |Define una solicitud para crear datos adjuntos a un elemento en el Exchange almacén.<br/><br/> A continuación se muestra la expresión XPath de este elemento: `/CreateAttachment` <br/> | |[AcceptItem](acceptitem.md) <br/> | Representa una respuesta Accept a una solicitud de reunión.<br/><br/>Las siguientes son algunas de las expresiones XPath de este elemento:<ul><li>`/CreateItem/Items`</li><li>`/MeetingRequest/ConflictingMeetings` </li><li>`/SetItemField/CalendarItem/ConflictingMeetings`</li><li>`/AppendToItemField/CalendarItem/ConflictingMeetings`</li><li>`/AcceptItem/Attachments/ItemAttachment/CalendarItem/ConflictingMeetings`</li><li>`/DeclineItem/Attachments/ItemAttachment/CalendarItem/ConflictingMeetings`</li><li>`/UpdateItem/ItemChanges/ItemChange/Updates/AppendToItemField/CalendarItem/AdjacentMeetings`</li><li>`/CreateAttachmentResponseMessage/Attachments/ItemAttachment/CalendarItem/AdjacentMeetings`</li><li>`/GetAttachmentResponseMessage/Attachments/ItemAttachment/CalendarItem/AdjacentMeetings`</li></ul> | |[DeclineItem](declineitem.md) <br/> |Representa una respuesta de declinación a una solicitud de reunión. <br/> | |[TentativelyAcceptItem](tentativelyacceptitem.md) <br/> |Representa una respuesta provisional a una solicitud de reunión. <br/> | |[RemoveItem](removeitem.md) <br/> |Quita un elemento de la Exchange almacén. <br/> | |[Elemento](item.md) <br/> |Representa un elemento Exchange genérico. <br/> | |[MeetingMessage](meetingmessage.md) <br/> |Representa una reunión en el Exchange almacén. <br/> | |[MeetingRequest](meetingrequest.md) <br/> |Representa una solicitud de reunión en Exchange almacén. <br/> | |[MeetingResponse](meetingresponse.md) <br/> |Representa una respuesta de reunión en Exchange almacén. <br/> | |[MeetingCancellation](meetingcancellation.md) <br/> |Representa una cancelación de reunión en el Exchange local. <br/> | |[Mensaje](message-ex15websvcsotherref.md) <br/> |Representa un Exchange de correo electrónico. <br/> | |[Tarea](task.md) <br/> |Representa una tarea en el Exchange almacén. <br/> | |[CalendarItem](calendaritem.md) <br/> |Representa un Exchange de calendario. <br/> | |[Contact](contact.md) <br/> |Representa un Exchange de contacto. <br/> | |[DistributionList](distributionlist.md) <br/> |Representa una lista de distribución. <br/> | |[CreateAttachmentResponseMessage](createattachmentresponsemessage.md) <br/> |Contiene el estado y el resultado de una única solicitud CreateAttachment. <br/> | |[GetAttachmentResponseMessage](getattachmentresponsemessage.md) <br/> |Contiene el estado y el resultado de una solicitud GetAttachment. <br/> | ## <a name="remarks"></a>Comentarios Los **elementos Attachments** tienen los mismos elementos secundarios, pero se basan en diferentes tipos: **ArrayOfAttachmentsType** y **NonEmptyArrayOfAttachmentsType**. Los tipos definen si es necesario un elemento secundario. **ArrayOfAttachmentsType** solo se usa en el mensaje de respuesta. También es importante tener en cuenta que estos elementos se producen en los espacios de nombres de mensajes y tipos. El esquema que describe este elemento se encuentra en el directorio virtual EWS del equipo que ejecuta MicrosoftExchange Server 2007 que tiene instalado el rol de servidor Acceso de cliente. ## <a name="element-information"></a>Información del elemento ||| |:-----|:-----| |Namespace <br/> |https://schemas.microsoft.com/exchange/services/2006/types <br/> | |Nombre de esquema <br/> |Esquema de tipos <br/> | |Archivo de validación <br/> |Types.xsd <br/> | |Puede estar vacío <br/> |Falso <br/> | ## <a name="see-also"></a>Ver también - [Elementos XML ews en Exchange](ews-xml-elements-in-exchange.md)
59.288889
843
0.756747
spa_Latn
0.668574
22a1f6bca71cf487dd8e0df8875e46b05a0215fa
2,592
md
Markdown
api/qsharp/microsoft.quantum.arithmetic.assertprobint.md
MicrosoftDocs/quantum-docs-pr.pl-PL
9aa93b868fade50bb01d8c6629496f3286405401
[ "CC-BY-4.0", "MIT" ]
1
2020-05-19T20:13:41.000Z
2020-05-19T20:13:41.000Z
api/qsharp/microsoft.quantum.arithmetic.assertprobint.md
MicrosoftDocs/quantum-docs-pr.pl-PL
9aa93b868fade50bb01d8c6629496f3286405401
[ "CC-BY-4.0", "MIT" ]
null
null
null
api/qsharp/microsoft.quantum.arithmetic.assertprobint.md
MicrosoftDocs/quantum-docs-pr.pl-PL
9aa93b868fade50bb01d8c6629496f3286405401
[ "CC-BY-4.0", "MIT" ]
1
2021-11-15T09:17:47.000Z
2021-11-15T09:17:47.000Z
--- uid: Microsoft.Quantum.Arithmetic.AssertProbInt title: AssertProbInt, operacja ms.date: 1/23/2021 12:00:00 AM ms.topic: article qsharp.kind: operation qsharp.namespace: Microsoft.Quantum.Arithmetic qsharp.name: AssertProbInt qsharp.summary: Asserts that the probability of a specific state of a quantum register has the expected value. ms.openlocfilehash: 85ff04bbad9dc2ed0f803db65508fdfbb0d22c56 ms.sourcegitcommit: 71605ea9cc630e84e7ef29027e1f0ea06299747e ms.translationtype: MT ms.contentlocale: pl-PL ms.lasthandoff: 01/26/2021 ms.locfileid: "98843403" --- # <a name="assertprobint-operation"></a>AssertProbInt, operacja Przestrzeń nazw: [Microsoft. Quantum. arytmetyczna](xref:Microsoft.Quantum.Arithmetic) Pakiet: [Microsoft. Quantum. Standard](https://nuget.org/packages/Microsoft.Quantum.Standard) Potwierdza, że prawdopodobieństwo określonego stanu rejestru Quantum ma oczekiwaną wartość. ```qsharp operation AssertProbInt (stateIndex : Int, expected : Double, qubits : Microsoft.Quantum.Arithmetic.LittleEndian, tolerance : Double) : Unit ``` ## <a name="description"></a>Opis Mając $n $-qubit Quantum State $ \ket{\psi} = \sum ^ {2 ^ n-1} _ {j = 0} \ alpha_j \ket{j} $, potwierdza, że prawdopodobieństwo $ | \ alpha_j | ^ 2 $ stanu $ \ket{j} $ indeksowane przez $j $ ma oczekiwaną wartość. ## <a name="input"></a>Dane wejściowe ### <a name="stateindex--int"></a>stateIndex: [int](xref:microsoft.quantum.lang-ref.int) Indeks $j $ stanu $ \ket{j} $ reprezentowanego przez `LittleEndian` rejestr. ### <a name="expected--double"></a>Oczekiwano: [Double](xref:microsoft.quantum.lang-ref.double) Oczekiwana wartość $ | \ alpha_j | ^ 2 $. ### <a name="qubits--littleendian"></a>qubits: [LittleEndian](xref:Microsoft.Quantum.Arithmetic.LittleEndian) Rejestr qubit, który przechowuje $ \ket{\psi} $ w formacie little-endian. ### <a name="tolerance--double"></a>Tolerancja: [Podwójna precyzja](xref:microsoft.quantum.lang-ref.double) Absolutna tolerancja różnicy między wartością rzeczywistą i oczekiwaną. ## <a name="output--unit"></a>Dane wyjściowe: [Jednostka](xref:microsoft.quantum.lang-ref.unit) ## <a name="example"></a>Przykład Załóżmy, że `qubits` Rejestr koduje qubit Quantum $ \ket{\psi} = \ sqrt {1/8} \ KET {0} + \ sqrt {7/8} \ KET {6} $ w formacie little-endian. Oznacza to, że liczba Stany $ \ket {0} \equiv\ket {0} \ket {0} \ket {0} $ i $ \ket {6} \equiv\ket {0} \ket {1} \ket {1} $. Następnie następujące potwierdzenia zostały wykonane pomyślnie: ```qsharp AssertProbInt(0, 0.125, qubits, 10e-10); AssertProbInt(6, 0.875, qubits, 10e-10); ```
37.028571
213
0.731867
pol_Latn
0.754002
4feb8a57724a13ac9ec0c7798735f3895ff31ab9
93
md
Markdown
grpc/README.md
davidkhala/node-utils
c106f904a55d15ac36b51749d2aa377467a37acc
[ "Apache-2.0" ]
null
null
null
grpc/README.md
davidkhala/node-utils
c106f904a55d15ac36b51749d2aa377467a37acc
[ "Apache-2.0" ]
10
2021-04-10T00:20:04.000Z
2022-02-08T03:36:45.000Z
grpc/README.md
davidkhala/node-utils
c106f904a55d15ac36b51749d2aa377467a37acc
[ "Apache-2.0" ]
null
null
null
# khala-grpc [![NPM](https://nodei.co/npm/khala-grpc.png)](https://nodei.co/npm/khala-grpc/)
31
79
0.677419
yue_Hant
0.154759
4fed71401e36af70c25642c6f97ae35df538c722
588
md
Markdown
kube-client/README.md
zhrebicek/kube-rs
b2109e2401175573b5b25bf1cbd90c5aca5dcabc
[ "Apache-2.0" ]
776
2019-04-29T19:40:27.000Z
2021-07-18T06:31:54.000Z
kube-client/README.md
zhrebicek/kube-rs
b2109e2401175573b5b25bf1cbd90c5aca5dcabc
[ "Apache-2.0" ]
458
2019-05-05T09:07:43.000Z
2021-07-18T20:48:23.000Z
kube-client/README.md
zhrebicek/kube-rs
b2109e2401175573b5b25bf1cbd90c5aca5dcabc
[ "Apache-2.0" ]
127
2019-05-03T23:37:26.000Z
2021-07-14T21:03:25.000Z
# kube-client The rust counterpart to [kubernetes/client-go](https://github.com/kubernetes/apimachinery). Contains the IO layer plus the core Api layer, and also as well as config parsing. ## Usage This crate, and all its features, are re-exported from the facade-crate `kube`. ## Docs See the **[kube-client API Docs](https://docs.rs/kube-client/)** ## Development Help very welcome! To help out on this crate check out these labels: - https://github.com/kube-rs/kube-rs/labels/client - https://github.com/kube-rs/kube-rs/labels/api - https://github.com/kube-rs/kube-rs/labels/config
36.75
91
0.746599
eng_Latn
0.750141
4fee0f16ca0afdc6a63feb291083dbce3ec1914f
1,550
md
Markdown
guide/sekretariat.md
hscstudio/osyawwal2
ac4b9f519179f88c1e9f49e66d561c1e78be2402
[ "BSD-3-Clause" ]
null
null
null
guide/sekretariat.md
hscstudio/osyawwal2
ac4b9f519179f88c1e9f49e66d561c1e78be2402
[ "BSD-3-Clause" ]
null
null
null
guide/sekretariat.md
hscstudio/osyawwal2
ac4b9f519179f88c1e9f49e66d561c1e78be2402
[ "BSD-3-Clause" ]
null
null
null
Sekretariat -- Organization -- Referensi - **Graduate** Merupakan tabel referensi untuk jenjang pendidikan formal ![GitHub Logo](/images/111.jpg) - **create Graduate** Fitur yang digunakan untuk membuat/menambah referensi jenjang pendidikan. ![GitHub Logo](/images/112.jpg) - **Program Code** Merupakan tabel referensi untuk kode dan nama program diklat. ![GitHub Logo](/images/113.jpg) - **Create Program Code** Fitur yang digunakan untuk membuat/menambah referensi nama dan kode program diklat. ![GitHub Logo](/images/114.jpg) - **Religion** Merupakan tabel referensi untuk agama. ![GitHub Logo](/images/115.jpg) - **Create Religion** Fitur yang digunakan untuk membuat/menambah referensi agama. ![GitHub Logo](/images/116.jpg) - **Rank Class** Merupakan tabel referensi untuk pangkat dan golongan. ![GitHub Logo](/images/117.jpg) - **Create Rank Class** Fitur yang digunakan untuk membuat/menambah referensi pangkat dan golongan. ![GitHub Logo](/images/118.jpg) - **Satker** Merupakan tabel referensi untuk satuan kerja di lingkungan Kementerian Keuangan. ![GitHub Logo](/images/119.jpg) - **Create Satker** Fitur yang digunakan untuk membuat/menambah referensi satuan kerja di lingkungan Kementerian Keuangan. ![GitHub Logo](/images/120.jpg) - **Unit** Merupakan tabel referensi untuk nama unit di lingkungan Kementerian Keuangan ![GitHub Logo](/images/121.jpg) - **Create Unit** Fitur yang digunakan untuk membuat/menambah referensi nama unit di lingkungan Kementerian Keuangan. ![GitHub Logo](/images/122.jpg)
21.527778
102
0.754839
ind_Latn
0.883063
4fefd06f2a4debad56e95f7467775cb467f3d13b
211
md
Markdown
README.md
abhijitmoha17/kickstart-ansible
adbed5c6abfa7013a88bde15efc7e6a6c720505e
[ "Apache-2.0" ]
1
2021-01-31T13:03:08.000Z
2021-01-31T13:03:08.000Z
README.md
abhijitmoha17/kickstart-ansible
adbed5c6abfa7013a88bde15efc7e6a6c720505e
[ "Apache-2.0" ]
null
null
null
README.md
abhijitmoha17/kickstart-ansible
adbed5c6abfa7013a88bde15efc7e6a6c720505e
[ "Apache-2.0" ]
2
2020-01-11T10:36:39.000Z
2020-11-16T15:54:47.000Z
# Kickstart Ansible Deploy sample CRM application and Redis server on Docker containers in single shot using Ansible playbooks. The application is built on Python Flask micro framework and use Redis as database.
105.5
191
0.834123
eng_Latn
0.994444
4ff0cc4c4b513db8c8b543ec6e1b0eb4b614c20d
2,644
md
Markdown
README.md
avocadoboi/AvoGUI
f4b1a721821fb74ab8d6494a89f78e9e20c1b6e9
[ "MIT" ]
25
2019-03-04T11:42:05.000Z
2021-06-21T17:09:14.000Z
README.md
avocadoboi/AvoGUI
f4b1a721821fb74ab8d6494a89f78e9e20c1b6e9
[ "MIT" ]
4
2019-03-06T11:28:16.000Z
2021-03-20T12:22:51.000Z
README.md
avocadoboi/avo
f4b1a721821fb74ab8d6494a89f78e9e20c1b6e9
[ "MIT" ]
5
2019-07-21T13:51:24.000Z
2021-05-24T06:46:26.000Z
# What is Avo? Avo is a light, modern C++20 library with a clean design containing various modular components useful for writing applications. The library was initially written in C++17, but now it is being rewritten from scratch in C++20 and with a better design that is less object oriented. It can currently be built by GCC and MSVC, but not Clang because it does not yet support all the features used. Avo currently consists of: * Various modern utilities * Mathematical types and functions * A windowing library * A graphics drawing library # Aims and features * The design of the library is modular and different parts can be used (and tested) separately. * The library utilizes different programming paradigms and avoids inheritance hierarchies to be more flexible. * Interfaces are hard to misuse and as many errors as possible are caught at compile time. * Library code follows C++ Core Guidelines. * Written with modules when build systems and compilers have good support for modules. * Support for Windows, Linux, and MacOS. * UTF-8 by default. * Free from warnings with all useful warning flags turned on. * Modern CMake integration. # CMake usage ## Dependencies Besides native libraries, Avo currently only depends on the [fmt](https://github.com/fmtlib/fmt) library, which needs to be found by CMake to build Avo. ## Building and installing Below are the basic commands to build and install Avo using CMake. You don't have to do this if you want to use it as a subproject or with FetchContent. You might have to run the install command as administrator on Windows or add `sudo` to it on Linux/MacOS. To help CMake find dependencies you might want to add a `CMAKE_PREFIX_PATH` or `CMAKE_TOOLCHAIN_FILE` to the configuration command. If you are making changes to the library, use one of the toolchain files in the `cmake` directory to add warning flags. These automatically also include the [VCPKG](https://vcpkg.io/en/index.html) toolchain file if the environment variable `VCPKG_ROOT` is defined. ``` git clone https://github.com/avocadoboi/avo.git mkdir avo/build cd avo/build cmake .. cmake --build . --target avo --config Release cmake --install . ``` ## Using as installation ```cmake find_package(Avo REQUIRED) target_link_libraries(target PRIVATE Avo::avo) ``` ## Using as subproject ```cmake add_subdirectory(external/avo) target_link_libraries(target PRIVATE Avo::avo) ``` ## Using FetchContent to download ```cmake include(FetchContent) FetchContent_Declare( Avo GIT_REPOSITORY https://github.com/avocadoboi/avo.git ) FetchContent_MakeAvailable(Avo) target_link_libraries(target PRIVATE Avo::avo) ```
36.219178
152
0.780635
eng_Latn
0.994337
4ff398cfe6bf95d1c887a92eee77e5a197381edd
83
md
Markdown
ApplePie/README.md
wndnjs9878/AppDevelopmentWithSwift
b38adba2505c8158dd460b6d4be322329629b0c2
[ "Apache-2.0" ]
null
null
null
ApplePie/README.md
wndnjs9878/AppDevelopmentWithSwift
b38adba2505c8158dd460b6d4be322329629b0c2
[ "Apache-2.0" ]
null
null
null
ApplePie/README.md
wndnjs9878/AppDevelopmentWithSwift
b38adba2505c8158dd460b6d4be322329629b0c2
[ "Apache-2.0" ]
null
null
null
# ApplePie App Development with Swift / 2 - Introduction to UIKit / Guided Project
27.666667
71
0.771084
kor_Hang
0.573965
4ff39f61f806cb67023b07016eff391957497c49
1,511
md
Markdown
Skype/SfbServer/help-topics/2019/lscp/ms.lync.lscp.TopoStatusMain.md
GiantCrocodile/OfficeDocs-SkypeForBusiness.de-DE
78f0bf23e8587090de05a337cb8a3700a0ce9036
[ "CC-BY-4.0", "MIT" ]
null
null
null
Skype/SfbServer/help-topics/2019/lscp/ms.lync.lscp.TopoStatusMain.md
GiantCrocodile/OfficeDocs-SkypeForBusiness.de-DE
78f0bf23e8587090de05a337cb8a3700a0ce9036
[ "CC-BY-4.0", "MIT" ]
null
null
null
Skype/SfbServer/help-topics/2019/lscp/ms.lync.lscp.TopoStatusMain.md
GiantCrocodile/OfficeDocs-SkypeForBusiness.de-DE
78f0bf23e8587090de05a337cb8a3700a0ce9036
[ "CC-BY-4.0", "MIT" ]
null
null
null
--- title: Topologiestatus ms.reviewer: '' ms.author: v-lanac author: lanachin manager: serdars audience: ITPro ms.topic: article ms.custom: - ms.lync.lscp.TopoStatusMain ms.prod: skype-for-business-itpro f1.keywords: - CSH localization_priority: Normal ms.assetid: d5f858f5-df8e-43a9-80aa-6ba1ddb27459 ROBOTS: NOINDEX, NOFOLLOW description: 'Auf der Seite Topologie: Status wird der Status der Server in der Skype for Business-Topologie angezeigt.' ms.openlocfilehash: f8c2461cd007415c7630e40b9351679dd28b67a5 ms.sourcegitcommit: b1229ed5dc25a04e56aa02aab8ad3d4209559d8f ms.translationtype: MT ms.contentlocale: de-DE ms.lasthandoff: 02/06/2020 ms.locfileid: "41794223" --- # <a name="topology-status"></a>Topologie: Status Auf der Seite **Topologie**: **Status** wird der Status der Server in der Skype for Business-Topologie angezeigt. ## <a name="tasks-you-can-perform"></a>Mögliche Aufgaben Auf der Seite **Topologie**: **Status** können Sie die folgenden Aufgaben ausführen: - [Anzeigen einer Liste der Computer mit Skype for Business Server oder lync Server](https://technet.microsoft.com/library/44eeec27-8b99-44f0-b0bd-622c12393d34.aspx) - [View Details About a Service](https://technet.microsoft.com/library/bc8e8202-cd68-47e4-95b2-bb36e51cc124.aspx) - [Starten oder Beenden von Diensten](https://technet.microsoft.com/library/1c70b4ec-9de5-4f7a-a3c9-c0eb76710505.aspx) - [Prevent New Connections to Services](https://technet.microsoft.com/library/977dcc5c-2aac-48ef-86a1-a8d47b4d9e74.aspx)
35.139535
165
0.791529
deu_Latn
0.376368
4ff45633d826caf98a0f38c8be1fa89ecc150b43
24,320
md
Markdown
_posts/2018-06-04-Reddit_Predicting_Comments.md
confoley/confoley.github.io
e4c073267af4216955e6c637963644e80dbda137
[ "MIT" ]
null
null
null
_posts/2018-06-04-Reddit_Predicting_Comments.md
confoley/confoley.github.io
e4c073267af4216955e6c637963644e80dbda137
[ "MIT" ]
null
null
null
_posts/2018-06-04-Reddit_Predicting_Comments.md
confoley/confoley.github.io
e4c073267af4216955e6c637963644e80dbda137
[ "MIT" ]
null
null
null
--- layout: post title: Project 3 - Predicting Number of Comments with Reddit's API date: 2018-06-04 --- In this project, I aimed to predict which features would predict whether or not a post on reddit makes it to the "hot" subreddit, which is a page for posts with high user interaction, as measured by the number of comments on the post. To gather the data, I scraped JSON post data from reddit's API and saved it to a .csv file. I set the target variable to a binarized measure of number of comments: above the mean amount of comments or below it. I tried a few different kinds of models. Because there was text data and numerical data, I initially isolated them to look at how they performed on their own. A Logistic Regression model on only the numerical data gave me an accuracy score of 0.88, which is just short of the score for my best model. Using Count Vectorizer on the post title and running it through a Bernoulli Naïve Bayes model, I got a score that was about the same as the baseline. Hoping that a combination of these two initial approaches would give me a higher score, I used FeatureUnion to fit two pipelines inside a pipeline in order to combine text and numerical data. This resulted in a better score (0.91), but not as much as an improvement from the baseline as I had hoped for. Moving forward I would like to try both a regression model and a multi-class classification model. The full repo for this project can be found [here](https://github.com/confoley/reddit_project3). <iframe src="https://docs.google.com/presentation/d/e/2PACX-1vQKbpneBOe7Lvd4jS5L8kt7acxZmaOeafrYmhPFR6VMHvZQDuW4bEhpNdoUQz1OP-v6vtamIaT89ys9/embed?start=true&loop=true&delayms=5000" frameborder="0" width="720" height="434" allowfullscreen="true" mozallowfullscreen="true" webkitallowfullscreen="true"></iframe> ```python import requests import json import pandas as pd import numpy as np import time from sklearn.model_selection import train_test_split, GridSearchCV, cross_val_score from sklearn.ensemble import RandomForestClassifier, ExtraTreesClassifier from sklearn.pipeline import Pipeline, FeatureUnion from sklearn.preprocessing import StandardScaler from sklearn.neighbors import KNeighborsClassifier from sklearn.linear_model import LogisticRegression from sklearn.feature_extraction.text import CountVectorizer, TfidfVectorizer, TfidfTransformer from sklearn.naive_bayes import BernoulliNB from sklearn.base import TransformerMixin, BaseEstimator from sklearn.metrics import classification_report, confusion_matrix import matplotlib import matplotlib.pyplot as plt import seaborn as sns %matplotlib inline ``` ### Step 1: Define the Problem In this project, I am looking at the /hot subreddit of reddit.com, and building a model that accurately predicts whether or not a post will become "hot," having gained a high number of comments. The target we are predicting is the number of comments a post has, which I binarized based on the mean. The required features for this project are subreddit name, post title, and time of post. However, I incorporated and created several other features I thought could be of importance. ### Step 2: Scrape Post Data from Reddit's API ```python url = "http://www.reddit.com/hot.json" headers = {'User-agent': 'Con bot 0.1'} res = requests.get(url, headers=headers) res.status_code ``` ```python reddit = res.json() print(reddit.keys()) print(reddit['data'].keys()) print(reddit['kind']) ``` ```python ## Brief exploration of the JSON sorted(reddit['data']['children'][0]['data'].keys()) ``` Here I pull multiple pages of post data, extract the JSON data, and store it in a list of dictionaries so that I can convert it into a DataFrame. ```python print(reddit['data']['after']) param = {'after': 't3_8mrd11'} ``` ```python posts = [] after = None for i in range(168): if i % 12 == 0: print('{} of 168'.format(i)) if after == None: params = {} else: params = {'after': after} res = requests.get(url, params=params, headers=headers) if res.status_code == 200: reddit = res.json() posts.extend(reddit['data']['children']) after = reddit['data']['after'] else: print(res.status_code) break time.sleep(3) ``` ```python len(set(p['data']['name'] for p in posts)) ``` I pulled 4200 posts. The length above is 4045, meaning there are 155 duplicates. Below I save everything I have scraped to `posts_df`, and then run a for loop to extract the data I know I will definitely need from the list of posts to a nice, cleaned DataFrame. I saved both to a .csv file as I went. ```python posts_df = pd.DataFrame(posts) posts_df.to_csv('./posts.csv') ``` ```python needed_data = [] for n in range(4200): post_dict = {} post_data = posts_df.iloc[n,0] post_dict['title'] = post_data['title'] post_dict['subreddit'] = post_data['subreddit'] post_dict['created_utc'] = post_data['created_utc'] post_dict['num_comments'] = post_data['num_comments'] needed_data.append(post_dict) ``` ```python needed = pd.DataFrame(needed_data) needed.to_csv('./needed.csv') ``` ### Step 3: Explore the Data #### Load the .csv File Here is where you may start running the cells. ```python posts_df = pd.read_csv('./posts.csv') posts_df.drop('Unnamed: 0', axis=1, inplace=True) posts_df.head() ``` <div> <style scoped> .dataframe tbody tr th:only-of-type { vertical-align: middle; } .dataframe tbody tr th { vertical-align: top; } .dataframe thead th { text-align: right; } </style> <table border="1" class="dataframe"> <thead> <tr style="text-align: right;"> <th></th> <th>data</th> <th>kind</th> </tr> </thead> <tbody> <tr> <th>0</th> <td>{'is_crosspostable': False, 'subreddit_id': 't...</td> <td>t3</td> </tr> <tr> <th>1</th> <td>{'is_crosspostable': False, 'subreddit_id': 't...</td> <td>t3</td> </tr> <tr> <th>2</th> <td>{'is_crosspostable': False, 'subreddit_id': 't...</td> <td>t3</td> </tr> <tr> <th>3</th> <td>{'is_crosspostable': False, 'subreddit_id': 't...</td> <td>t3</td> </tr> <tr> <th>4</th> <td>{'is_crosspostable': False, 'subreddit_id': 't...</td> <td>t3</td> </tr> </tbody> </table> </div> Unfortunately, the way I saved the .csv for all the data I scraped resulted in my 'data' column containing the JSON dictionaries inside strings. Thankfully, there's a handy import called ast to fix this. I converted the strings into dictionaries and saved them to a list, in which I used a for loop to extract the extra features I wanted to include and add them to my already cleaned DataFrame of required data. ```python import ast posts = posts_df['data'] for n in range(len(posts)): posts[n] = ast.literal_eval(posts[n]) type(posts[0]) ``` dict ```python redd = pd.read_csv('./needed.csv') # My cleaned DF redd.drop('Unnamed: 0', axis=1, inplace=True) ``` ```python new_cols = ['num_crossposts', 'is_video', 'subreddit_subscribers', 'score', 'permalink'] other_data = [] for n in range(4200): post_dict = {} post_data = posts[n] for col in new_cols: post_dict[col] = post_data[col] other_data.append(post_dict) others_df = pd.DataFrame(other_data) reddit = pd.concat([redd, others_df], axis=1) ``` I included permalink in order to drop duplicate posts. By dropping them by the permalink column, I ensured I would not drop a false duplicate. ```python reddit.drop_duplicates('permalink', inplace=True) print(reddit.shape) reddit.drop('permalink', axis=1, inplace=True) ``` (4045, 9) ```python reddit['created_utc'] = time.time() - reddit['created_utc'] # Relative time ``` ```python reddit.head() ``` <div> <style scoped> .dataframe tbody tr th:only-of-type { vertical-align: middle; } .dataframe tbody tr th { vertical-align: top; } .dataframe thead th { text-align: right; } </style> <table border="1" class="dataframe"> <thead> <tr style="text-align: right;"> <th></th> <th>created_utc</th> <th>num_comments</th> <th>subreddit</th> <th>title</th> <th>is_video</th> <th>num_crossposts</th> <th>score</th> <th>subreddit_subscribers</th> </tr> </thead> <tbody> <tr> <th>0</th> <td>541880.459872</td> <td>200</td> <td>blackpeoplegifs</td> <td>Destiny calls</td> <td>False</td> <td>4</td> <td>14867</td> <td>327189</td> </tr> <tr> <th>1</th> <td>544896.459872</td> <td>3113</td> <td>MemeEconomy</td> <td>This format can work for a variety of things. ...</td> <td>False</td> <td>7</td> <td>38179</td> <td>534642</td> </tr> <tr> <th>2</th> <td>541610.459872</td> <td>224</td> <td>StarWars</td> <td>So I got married last night...</td> <td>False</td> <td>1</td> <td>12216</td> <td>881134</td> </tr> <tr> <th>3</th> <td>543846.459872</td> <td>1321</td> <td>pics</td> <td>This guy holding an umbrella over a soldier st...</td> <td>False</td> <td>6</td> <td>32034</td> <td>18677607</td> </tr> <tr> <th>4</th> <td>546286.459872</td> <td>597</td> <td>nostalgia</td> <td>The family computer</td> <td>False</td> <td>1</td> <td>25514</td> <td>408323</td> </tr> </tbody> </table> </div> #### Identify the Target We want to create a binary target from the num_comments column. First, let's look at the distribution. It is incredibly skewed right, with most posts having a small number of comments. The median is only 19, while the maximum value is 10,546 comments. The distribution is so heavily skewed that the 3rd quartile is less than the mean. ```python fix, ax = plt.subplots(figsize=(12,5)) sns.distplot(reddit['num_comments']); ``` /anaconda3/envs/dsi/lib/python3.6/site-packages/matplotlib/axes/_axes.py:6462: UserWarning: The 'normed' kwarg is deprecated, and has been replaced by the 'density' kwarg. warnings.warn("The 'normed' kwarg is deprecated, and has been " ![png](/images/Reddit_Predicting_Comments_files/Reddit_Predicting_Comments_27_1.png) ```python reddit['num_comments'].describe() ``` count 4045.000000 mean 79.350309 std 323.166913 min 0.000000 25% 7.000000 50% 19.000000 75% 50.000000 max 10546.000000 Name: num_comments, dtype: float64 ```python # There are some clear outliers: print("Top ten largest values:", sorted(reddit['num_comments'])[-10:]) ``` Top ten largest values: [3147, 3301, 3446, 3627, 3674, 3989, 4534, 5866, 6715, 10546] ```python # Create binary high comment target: reddit['high_comment_mean'] = (reddit.num_comments > 79.35)*1 print("Baseline accuracy:", reddit.high_comment_mean.value_counts()[0]/len(reddit.high_comment_mean)) ``` Baseline accuracy: 0.8286773794808405 #### Some Feature Engineering I approached this with the assumption that many of the posts with the most amount of comments would come from a few of the same very popular subreddits, such as /r/pics. Therefore, I decided to use `get_dummies` on the subreddit column. To practice some additional feature engineering, I created two new columns out of the 'title' column: - A column in which the word "best" appears in the post title - A column in which the first word is "when" (Considering one-liner memes such as _when the bass drops_) ```python best = [] for n in reddit.title: if "best" in n: best.append(1) elif "Best" in n: best.append(1) elif "BEST" in n: best.append(1) else: best.append(0) reddit['best']=best ``` ```python when = [] for n in reddit.title: if n[0:4]=="when": when.append(1) elif n[0:4]=="When": when.append(1) elif n[0:4]=="WHEN": when.append(1) else: when.append(0) reddit['when'] = when ``` I created a DataFrame of strictly numerical data and removed the target. ```python subreddit_dummies = pd.get_dummies(reddit['subreddit']) new_reddit = pd.concat([reddit, subreddit_dummies], axis=1) new_reddit = new_reddit.drop(['subreddit','title','num_comments', 'high_comment_mean'], axis=1) new_reddit['is_video'] = (new_reddit['is_video']==True).astype(int) new_reddit.dtypes.value_counts() ``` uint8 1987 int64 6 float64 1 dtype: int64 # Step 4: Model With my DataFrame of strictly numerical data, i.e. all features except "title", I wanted to see how a Logistic Regression model would score. #### Logistic Regression on Numerical Data ```python # Train Test Split X_train, X_test, y_train, y_test = train_test_split(new_reddit, reddit['high_comment_mean'], random_state=24, stratify=reddit['high_comment_mean']) ``` ```python ss = StandardScaler() logreg = LogisticRegression(random_state=24) pipe = Pipeline([('ss', ss),('logreg', logreg)]) ``` ```python pipe.fit(X_train, y_train) pipe.score(X_test, y_test) ``` 0.8784584980237155 ```python # An improvement from the baseline cross_val_score(pipe, X_test, y_test, cv=6).mean() ``` 0.852820985248438 ```python # GridSearch to find best parameters: params = { 'logreg__penalty': ['l1','l2'], 'logreg__C': [.3,.4,.5,.6,.7,.8,.9,1.0] } gs = GridSearchCV(pipe, param_grid=params, scoring='accuracy') gs.fit(X_train, y_train) gs.score(X_test, y_test) ``` 0.8824110671936759 It is not worth including all the code, but trying a kNN Classifier model on the same features resulted in a worse score than the baseline on the test data, exhibiting a high level of overfitting on the training data. #### Next Steps I wanted to use some Natural Language Processing tools on the "title" column. However, creating a model using CountVectorizer and Bernoulli Naïve Bayes on "title" resulted in an accuracy score about the same as the baseline. Therefore, I wanted to try to create a model that combines my numerical data, which I used with the Logistic Regression model, with some Natural Language Processing. The natural conclusion was to use FeatureUnion, nesting two pipelines within a pipeline. Using GridSearchCV, I reasoned that the combination of these models would give me an accuracy score significantly better than the baseline. ### MetaPipeline with FeatureUnion Given that we have unbalanced classes in the target, I wanted to first try a model that will use bootstrapping: Random Forest Classifier. ```python X = pd.concat([new_reddit, reddit['title']], axis=1) y = reddit['high_comment_mean'] cont_cols = [col for col in X.columns if col !='title'] ``` ```python X_train, X_test, y_train, y_test, = train_test_split(X, y, random_state=24) ``` ```python # Define a class to tell the pipeline which features to take class DfExtract(BaseEstimator, TransformerMixin): def __init__(self, column): self.column = column def fit(self, X, y=None): return self def transform(self, X, y=None): if len(self.column) > 1: return pd.DataFrame(X[self.column]) else: return pd.Series(X[self.column[0]]) ``` ```python rf_pipeline = Pipeline([ ('features', FeatureUnion([ ('post_title', Pipeline([ ('text', DfExtract(['title'])), ('cvec', CountVectorizer(binary=True, stop_words='english')), ])), ('num_features', Pipeline([ ('num_cols', DfExtract(cont_cols)), ('ss', StandardScaler()) ])), ])), ('rf', RandomForestClassifier(random_state=24)) ]) ``` ```python parameters = { 'rf__n_estimators': [10,30,40,50,60], 'rf__max_depth': [None,4,5], 'rf__max_features': ['auto', 'log2', 15, 20] } rf_gs = GridSearchCV(rf_pipeline, param_grid=parameters, scoring='accuracy') ``` ```python rf_gs.fit(X_train, y_train) rf_gs.score(X_test, y_test) ``` 0.8962450592885376 ```python rf_gs.best_params_ ``` {'rf__max_depth': None, 'rf__max_features': 'auto', 'rf__n_estimators': 40} ##### However... Logistic Regression ended up giving me a slightly better score, despite the intuition that a bootstrapping model would make more sense for this kind of data. ```python pipeline = Pipeline([ ('features', FeatureUnion([ ('post_title', Pipeline([ ('text', DfExtract(['title'])), ('cvec', CountVectorizer(binary=True, stop_words='english')), ])), ('num_features', Pipeline([ ('num_cols', DfExtract(cont_cols)), ('ss', StandardScaler()) ])), ])), ('logreg', LogisticRegression(random_state=24)) ]) ``` ```python parameters = { 'logreg__penalty': ['l1','l2'], 'logreg__C': [.3,.4,.5,.6,.7,.8,.9,1.0], } gs = GridSearchCV(pipeline, param_grid=parameters, scoring='accuracy') ``` ```python gs.fit(X_train, y_train) gs.score(X_test, y_test) ``` 0.9051383399209486 ```python gs.best_params_ ``` {'logreg__C': 0.8, 'logreg__penalty': 'l1'} # Step 5: Evaluate Model The total scores from the classification report for both models are 0.88-0.91, which is about the same as the accuracy score. Also, given that the optimal penalty for the LogisticRegression model was Lasso, we can conclude that there were irrelevant features in the model. Given that there were unbalanced classes in the target variable, I wanted to include a model that would bootstrap data from an underrepresented class, hence trying RandomForest and LogisticRegression. Both gave around the same score, with LogisticRegression performing slightly better. ```python # Classification Report for Random Forest: rf_predictions = rf_gs.predict(X_test) print(classification_report(y_test, rf_predictions, target_names=['Low Comments', 'High Comments'])) ``` precision recall f1-score support Low Comments 0.90 0.99 0.94 845 High Comments 0.87 0.44 0.58 167 avg / total 0.89 0.90 0.88 1012 ```python # Classification Report for Logistic Regression: predictions = gs.predict(X_test) print(classification_report(y_test, predictions, target_names=['Low Comments', 'High Comments'])) ``` precision recall f1-score support Low Comments 0.93 0.96 0.94 845 High Comments 0.76 0.62 0.68 167 avg / total 0.90 0.91 0.90 1012 I used a function from scikitlearn's documentation on confusion matrices to plot one: _This is for the Logistic Regression model._ ```python import itertools # From ScikitLearn's documentation: def plot_confusion_matrix(cm, classes, normalize=False, title='Confusion matrix', cmap=plt.cm.Blues): """ This function prints and plots the confusion matrix. Normalization can be applied by setting `normalize=True`. """ if normalize: cm = cm.astype('float') / cm.sum(axis=1)[:, np.newaxis] print("Normalized confusion matrix") else: print('Confusion matrix, without normalization') print(cm) plt.imshow(cm, interpolation='nearest', cmap=cmap) plt.title(title) plt.colorbar() tick_marks = np.arange(len(classes)) plt.xticks(tick_marks, classes, rotation=45) plt.yticks(tick_marks, classes) fmt = '.2f' if normalize else 'd' thresh = cm.max() / 2. for i, j in itertools.product(range(cm.shape[0]), range(cm.shape[1])): plt.text(j, i, format(cm[i, j], fmt), horizontalalignment="center", color="white" if cm[i, j] > thresh else "black") plt.tight_layout() plt.ylabel('True label') plt.xlabel('Predicted label') cnf_matrix = confusion_matrix(y_test, predictions) np.set_printoptions(precision=2) plt.figure(figsize=(8,8)) plot_confusion_matrix(cnf_matrix, classes=['Low Comments','High Comments'], title='Confusion matrix') plt.figure(figsize=(8,8)) plot_confusion_matrix(cnf_matrix, classes=['Low Comments','High Comments'], normalize=True, title='Normalized confusion matrix') plt.show() ``` Confusion matrix, without normalization [[812 33] [ 63 104]] Normalized confusion matrix [[0.96 0.04] [0.38 0.62]] ![png](/images/Reddit_Predicting_Comments_files/Reddit_Predicting_Comments_61_1.png) ![png](/images/Reddit_Predicting_Comments_files/Reddit_Predicting_Comments_61_2.png) # Step 6: Answer the Question #### Interpreting the Feature Importances The models I chose are extremely difficult to interpret. Seeing as how the model only improved by 0.1 from the baseline, I didn't expect to see any very high coefficients. The highest from the RandomForest model are in the thousandth decimal range or lower, and they are all dummies of subreddits. ```python rf_coefs = pd.DataFrame( list( zip(X_test.columns, np.abs( rf_gs.best_estimator_.steps[1][1].feature_importances_))), columns=['feature','coef_abs']) ``` ```python rf_coefs = rf_coefs.sort_values('coef_abs', ascending=False) rf_coefs.head(10) # These are all subreddit dummies ``` <div> <style scoped> .dataframe tbody tr th:only-of-type { vertical-align: middle; } .dataframe tbody tr th { vertical-align: top; } .dataframe thead th { text-align: right; } </style> <table border="1" class="dataframe"> <thead> <tr style="text-align: right;"> <th></th> <th>feature</th> <th>coef_abs</th> </tr> </thead> <tbody> <tr> <th>536</th> <td>Lovecraft</td> <td>0.001057</td> </tr> <tr> <th>196</th> <td>Catloaf</td> <td>0.001040</td> </tr> <tr> <th>1715</th> <td>robotics</td> <td>0.001030</td> </tr> <tr> <th>891</th> <td>Torontobluejays</td> <td>0.001023</td> </tr> <tr> <th>1177</th> <td>crossdressing</td> <td>0.001020</td> </tr> <tr> <th>586</th> <td>MilitaryPorn</td> <td>0.001007</td> </tr> <tr> <th>661</th> <td>OutOfTheLoop</td> <td>0.001002</td> </tr> <tr> <th>156</th> <td>Braves</td> <td>0.000967</td> </tr> <tr> <th>1252</th> <td>entwives</td> <td>0.000939</td> </tr> <tr> <th>187</th> <td>CanadianForces</td> <td>0.000917</td> </tr> </tbody> </table> </div> ```python lr_coef_list = gs.best_estimator_.steps[1][1].coef_[0] ``` ```python lr_coefs = pd.DataFrame( list( zip(X_test.columns, np.abs( lr_coef_list))), columns=['feature','coef_abs']) lr_coefs.sort_values('coef_abs', ascending=False, inplace=True) ``` ```python lr_coefs[abs(lr_coefs['coef_abs']) > 0] # There must be something wrong here. ``` <div> <style scoped> .dataframe tbody tr th:only-of-type { vertical-align: middle; } .dataframe tbody tr th { vertical-align: top; } .dataframe thead th { text-align: right; } </style> <table border="1" class="dataframe"> <thead> <tr style="text-align: right;"> <th></th> <th>feature</th> <th>coef_abs</th> </tr> </thead> <tbody> </tbody> </table> </div> ### Conclusions Though the models have around 90% accuracy, I was hoping for a greater improvement from the baseline. The number of comments on a reddit post inevitably comes down to human activity, which is inherently unpredictable. Were I to create a classification model for this problem again, I would have created more than one class for number of comments. Based on the extremely skewed distribution of number of comments, it would have been prudent to create a "low comment" class, a "high comment" class, and a "ultra-high comment" class.
25.899894
855
0.654441
eng_Latn
0.92556
4ff4bcd35d66af39bd6825ef5e715f975a331c6d
6,486
md
Markdown
Quest10/checklist.md
cheol-95/WebDevCurriculum
eb5598feac59ac462dea0b78878fa19fdffdcf52
[ "MIT" ]
null
null
null
Quest10/checklist.md
cheol-95/WebDevCurriculum
eb5598feac59ac462dea0b78878fa19fdffdcf52
[ "MIT" ]
null
null
null
Quest10/checklist.md
cheol-95/WebDevCurriculum
eb5598feac59ac462dea0b78878fa19fdffdcf52
[ "MIT" ]
null
null
null
# Quest 10. 인증의 이해 ## 쿠키란 무엇일까요? - 쿠키는 유저의 상태를 저장하기 위해 서버가 유저의 웹 브라우저에 전송하는 작은 데이터 조각이다. - 브라우저는 동일한 서버에 요청을 보낼때 쿠키를 함께 전송하고, 서버는 두 요청이 동일한 브라우저에서 들어왔는지 확인한다. - 상태가 없는 HTTP 프로토콜에서 상태 정보를 기억하기 위해 사용되며, 주로 세 가지 목적을 위해 사용된다. ``` 1. 세션 관리 (Session Management) - 서버에 저장해야 할 로그인, 장바구니 등의 정보 관리 2. 개인화 (Personalization) - 사용자 선호, 테마 등 세팅 3. 트래킹(Tracking) - 사용자 행동을 기록하고 분석하는 용도 ``` <br><br> ## 쿠키는 어떤 식으로 동작하나요? - 쿠키의 라이프타임 - `세션 쿠키`는 현재 세션이 끝날 때 삭제된다. - `영속적인 쿠키`는 `Expires` 속성에 명시된 날짜에 삭제되거나, `Max-Age`속성에 명시된 기간 이후에 삭제된다. - 보안 - `Secure`쿠키 - HTTPS 프로토콜 상에서 암호화된 요청일 경우에만 전송되지만, 본질적으로 안전하지는 않다. - `HttpOnly`쿠키 - `Cross-site Scripting (XSS)` 공격을 방지하기 위해 사용되며, Javascript의 `Document.cookie` API를 통해 접근할 수 없다. (클라이언트의 코드로 접근할 수 없다) - 스코프 - `Domain` - 쿠키가 전송 될 호스트들을 명시한다. 만약 명시되지 않는다면, 현재 문서 위치의 호스트 일부를 기본값으로 한다. - 서브 도메인도 포함한다. - `Path` - `Cookie` 헤더를 전송하기 위하여 요구되는 URL 경로이다. - %x2F ("/")문자는 디렉티브 구분자로 해석되며 서브 디렉토리와의 매칭도 잘 된다. ``` Path=/docs /docs /docs/Web/ /docs/Web/HTTP ``` <br><br> ## 쿠키는 어떤 식으로 서버와 클라이언트 사이에 정보를 주고받나요? - 서버가 응답에 `Set-Cookie` 헤더를 사용해 쿠키를 전송하고, 브라우저는 저장한다. ``` (Server) Set-Cookies: <cookie-name>=<cookie-value> --------- (Client) HTTP/1.0 200 OK Content-type: text/html Set-Cookie: yummy_cookie=choco Set-Cookie: tasty_cookie=strawberry ``` <br> - 그 후 쿠키는 같은 서버로 전송되는 모든 요청들의 Cookie HTTP 헤더안에 포함되어 전송된다. ``` (Client) GET /sample_page.html HTTP/1.1 Host: www.example.org Cookie: yummy_cookie=choco; tasty_cookie=strawberry ``` <br> - `HttpOnly` 플래그가 설정되지 않았다면, 클라이언트는 `Document.cookie`를 사용하여 쿠키에 접근할 수 있다. <br> --- <br> ## 웹 어플리케이션의 세션이란 무엇일까요? - 일정시간동안 같은 유저로부터 들어오는 요청들의 상태를 유지시키는 기술이다. - 방문자가 웹 서버에 접속해 있는 상태를 하나의 단위로 인식하기 위해서 사용한다. <br><br> ## 세션의 ID와 내용은 각각 어디에 저장되고 어떻게 서버와 교환되나요? - 저장위치 - `서버의 로컬디스크` - `DB` - `In-Memory DB` - 교환과정 1. (클라이언트) 로그인 요청 2. (서버) 세션 생성 및 세션 ID 응답 - 세션 저장 - 클라이언트에게 쿠키 전송 3. (클라이언트) 쿠키에 세션 ID를 담아 요청 4. (서버) 세션 ID를 사용해 DB에서 유저정보 획득 <img src="https://img1.daumcdn.net/thumb/R1280x0/?scode=mtistory2&fname=http%3A%2F%2Fcfile25.uf.tistory.com%2Fimage%2F236A0533597EBE431EEE4E" style="width:580px; height:430px"> <br> --- <br> ## JWT란 무엇인가요? - 두 개체에서 JSON 객체를 사용하여 가볍고 `self-contained`한 방식으로 정보를 안전하게 교환하기 위한 개방형 표준이다. - `자가수용적`이란 토큰에 대한 기본정보, 교환할 정보, 검증을 증명하는 signature등 필요한 모든 정보를 자체적으로 지니고 있음을 의미한다. - `HMAC 알고리즘` 또는 `RSA` 또는 `ECDSA` 를 사용해 암호화하고, 디지털 서명을 제공하기 때문에 보안이 좋다. - 구조는 Header, Payload, Signature가 점으로 구분되어있다. - `Header` - JWT를 검증하는 데 필요한 정보를 가짐 ```json { "typ": "JWT", // 토큰타입 지정 "alg": "HS256" // 해싱 알고리즘 지정 } ``` <br> - `Payload` - 토큰에 담을 정보들이 들어있는데, 여기에 담는 정보의 한 '조각'을 클레임이라고 부르고, 이는 key-value의 한 쌍으로 이뤄져 있다. - 서명 된 토큰의 경우이 정보는 변조로부터 보호되지만 누구나 읽을 수 있기 때문에, 암호화되지 않은 경우 JWT의 페이로드 또는 헤더 요소에 비밀 정보를 넣지 않아야 한다. ```json { "sub": "1234567890", "name": "John Doe", "admin": true } ``` - `claim` - `등록된 클레임 - Registered Claim` - 토큰 정보를 표현하기 위해 이미 정해진 종류의 클레임이다. (Optional) - IANA JSON Web Token Claims에 등록된 이름만 사용할 수 있다. ```json { "iss": "토큰 발급자 (issuer)", "sub": "토큰 제목 (subject)", "aud": "토큰 대상자 (audience)", "exp": "토큰의 만료시간 (expiraton) - 시간은 NumericDate형식", "nbf": "Not Before를 의미, 토큰의 활성 날짜 - NumericDate형식", "iat": "토큰 발급 시간(issued at), 이 값을 사용하여 age를 판단", "jti": "JWT의 고유 식별자로서, 주로 중복처리를 방지하기 위해 사용(일회성적합)" } ``` - `공개 클레임 - Public Claim` - 사용자 정의 클레임으로, 공개용 정보를 위해 사용되며 충돌방지를 위해 URI포맷을 이용한다. ```json { "https://test.com/jwt_claims/is_admin": true } ``` - `비공개 클레임 - Private Claim` - 사용자 정의 클레임으로, 서버와 클라이언트 사이에 임의로 지정한 정보를 저장한다. ```json { "username": "cheol" } ``` <br> - `Signature` - 서명은 메시지가 변경되지 않았음을 확인하는 데 사용되며, 개인 키로 서명 된 토큰의 경우 JWT의 발신자가 자신이 말하는 사람인지 확인할 수 있다. - 서명은 인코딩 된 헤더, 인코딩 된 페이로드, secret(서버 암호), 헤더에 지정된 알고리즘을 이용해 생성한다. ``` HMACSHA256( base64UrlEncode(header) + "." + base64UrlEncode(payload), secret) ``` <br><br> ## JWT 토큰은 어디에 저장되고 어떻게 서버와 교환되나요? - 브라우저의 `localStorage` 또는 `cookie`에 저장된다. - 교환과정 <img src="https://s3.us-west-2.amazonaws.com/secure.notion-static.com/c7da917b-8992-4237-ae1c-e3ac3f598758/Untitled.png?X-Amz-Algorithm=AWS4-HMAC-SHA256&X-Amz-Credential=AKIAT73L2G45O3KS52Y5%2F20210706%2Fus-west-2%2Fs3%2Faws4_request&X-Amz-Date=20210706T064038Z&X-Amz-Expires=86400&X-Amz-Signature=80f8de64ebcb592cbfcb481f3923ac2b60999bd4a497be4fbb6ed37189515748&X-Amz-SignedHeaders=host&response-content-disposition=filename%20%3D%22Untitled.png%22" style="width:580px; height:430px"> ``` (A) 클라이언트가 인증 서버에 인증과 함께 액세스 토큰을 요청 한다. (B) 인증 서버는 인증과 함께 권한을 검증하고 액세스 토큰과 리프레시 토큰을 발급한다. (C) 클라이언트는 액세스 토큰과 함께 리소스 서버에 요청을 보낸다. (D) 리소스 서버는 액세스 토큰을 검증하고 유효한 경우 요청을 처리한다. (E) 액세스 토큰이 만료될 때 까지 (C) ~ (D) 단계를 반복한다. 만약 클라이언트가 액세스 토큰이 만료된 것을 알고 있으면 단계 (G)로 건너뛰고, 그렇지 않으면 만료된 액세스 토큰으로 요청을 보낸다. (F) 리소스 서버는 액세스 토큰이 만료되었다는 메시지를 응답한다. (G) 클라이언트 인증 서버에 리프레시 토큰과 함께 새로운 액세스 토큰을 요청한다. (H) 인증 서버는 리프레시 토큰을 검증하고 유효한 경우 새로은 액세스 토큰을 제공한다. ``` <br><br> ## 세션에 비해 JWT가 가지는 장점은 무엇인가요? 또 JWT에 비해 세션이 가지는 장점은 무엇인가요? - 장점 1. 웹, 모바일, IoT 등 어떠한 플랫폼에서도 사용할 수 있다. 2. `self-contained`의 특성에 따라 서버는 요청이 들어왔을 때 디코딩을 통해 유저의 정보를 알아낼 수 있다. - 이는 세션공유를 하지 않아도 됨을 의미하고 더 나아가 MSA환경에서 유용하게 사용된다. 3. JWT의 저장 위치를 서버가 아닌 클라이언트에 저장해 서버 리소스 부담을 줄일 수 있다. - 단점 1. 토큰을 한번 생성하고 나면 만료될 때 까지 `변경`할 수 없다. 만약 토큰이 만료되기 전에 탈취된다면 피해를 입게된다. - 이를 최소화 하기 위해 `Access Token` 과 `Refresh Token`개념을 도입해 사용한다. 2. `세션`의 경우 어떠한 탈취를 감지했을 떄 세션 ID를 제거하면 되지만 JWT 는 해당 토큰을 거절하기 위한 다른 처리를 해줘야 한다. 3. 서버는 요청이 올 때마다 JWT를 디코딩해야 하는 작업이 추가된다. <br><br><br> # Advanced ## Web Authentication API(WebAuthn)은 무엇인가요? - 공개 키 암호화와 인증자를 사용한 인증 방식으로, 기본적으로 웹 사이트 별로 고유한 암호를 생성해 사용하는 방식이다. - 인증 방식으로는 `생체 인식`과 `하드웨어 보안 토큰`을 사용한다. - 생체 인식은 카메라를 사용한 `안면인식`, `지문인식` 등을 사용하는 인증 방식이다. - 하드웨어 보안 토큰은 USB같은 하드웨어를 사용하는 인증 방식이다. <br><br> - 인증 과정 1. 웹사이트에 로그인을 하는 경우, 브라우저는 PC사용자의 신뢰할 수 있는 인증자에게 증명 제공을 요구한다. - 지문 리더기, 윈도우 헬로, 하드웨어 토큰 등을 말한다. 2. 인증자가 신뢰된 상태이기 때문에 암호를 사이트에 저장하는 지금 방식과 다르게 웹사이트에 지문 데이터, 기타 고유 데이터를 저장 할 필요가 없다. 3. 브라우저는 사용자 확인에 대한 정보를 암호화해 웹 서버로 다시 보낸다. <br> - 특징 - 피싱으로부터 보호 - 데이터 유출의 영향 감소 <br><br><br> # Note ## XSS? - pass <br><br> ## CSRF? - pass
22.838028
489
0.614554
kor_Hang
1.00001
4ff5d94aaad52d9b4f511335e40654c9fd934fc0
1,288
md
Markdown
algorithms/22_Generate-Parentheses.md
YuanweiZHANG/Leetcode
14a083528431bc65ada8f8265a5ef9d0fae40ecd
[ "MIT" ]
null
null
null
algorithms/22_Generate-Parentheses.md
YuanweiZHANG/Leetcode
14a083528431bc65ada8f8265a5ef9d0fae40ecd
[ "MIT" ]
null
null
null
algorithms/22_Generate-Parentheses.md
YuanweiZHANG/Leetcode
14a083528431bc65ada8f8265a5ef9d0fae40ecd
[ "MIT" ]
null
null
null
## 22. [Generate Parentheses](https://leetcode.com/problems/generate-parentheses/) > Medium Given *n* pairs of parentheses, write a function to generate all combinations of well-formed parentheses. For example, given *n* = 3, a solution set is: ``` [ "((()))", "(()())", "(())()", "()(())", "()()()" ] ``` **Solutions:** I think LeetCode isn't as strict as POJ, so this time I use recursion instead of stack. It's a complete enumeration problem. Add `'()'` and if the number of `'()'` is bigger than the number of `')'`, add `')'`. When both of them reach the `n`, signal the `curr` string. Here is my solution class: ```c++ class Solution { public: vector<string> generateParenthesis(int n) { vector<string> results; string curr; generateParenthesisCore(results, 0, 0, n, curr); return results; } void generateParenthesisCore(vector<string> &results, int left, int right, int n, string & curr) { if (left == n && right == n) { results.push_back(curr); return; } if (left < n) { curr.push_back('('); generateParenthesisCore(results, left + 1, right, n, curr); curr.pop_back(); } if (left > right) { curr.push_back(')'); generateParenthesisCore(results, left, right + 1, n, curr); curr.pop_back(); } return; } }; ```
22.596491
269
0.631988
eng_Latn
0.911319
4ff630088b04646c1e10d71d5554f3a3a020f3e2
750
md
Markdown
README.md
fzbio/GILoop
c4845a9f5c5bf8654640f823786f4e4dd6576169
[ "MIT" ]
1
2022-03-07T19:16:25.000Z
2022-03-07T19:16:25.000Z
README.md
fzbio/GILoop
c4845a9f5c5bf8654640f823786f4e4dd6576169
[ "MIT" ]
null
null
null
README.md
fzbio/GILoop
c4845a9f5c5bf8654640f823786f4e4dd6576169
[ "MIT" ]
null
null
null
# GILoop GILoop is a deep learning model for detecting CTCF-mediated loops on Hi-C contact maps. ![Model architecture](./figure/architecture.png) #### Requirements: ​ *NumPy==1.19.5* ​ *pandas==1.3.1* ​ *TensorFlow==2.7.0* ​ *TensorFlow-addons==0.15.0* #### Installation: ``` conda create -n GIL python=3.8 conda activate GIL pip install -r requirements.txt ``` After running the code segment above, please download `models` and `data` from [GILoop_assets](https://portland-my.sharepoint.com/:f:/g/personal/fuzhowang2-c_my_cityu_edu_hk/EpsC_y58ARNInLGjwy4yc44BNs2fKzCXNFVLUxrsrtHO2A?e=83KzE4) and **replace the ones in the local directory**. #### Usage: ``` python demo.py ``` Full API usage is documented in [demo.py](./demo.py).
19.736842
280
0.718667
eng_Latn
0.801557
4ff79b477384e3339f9f21c8bab8d7443cfcca79
222
md
Markdown
reports/iftomm_dach/presentation/content/home/030_mecEdit.md
klawr/deepmech
61de238f1d4b1b867ec1d5f4e4af2a3b25a5abff
[ "MIT" ]
1
2020-04-17T12:27:06.000Z
2020-04-17T12:27:06.000Z
reports/iftomm_dach/presentation/content/home/030_mecEdit.md
klawr/deepmech
61de238f1d4b1b867ec1d5f4e4af2a3b25a5abff
[ "MIT" ]
1
2022-02-27T13:13:17.000Z
2022-02-27T13:13:17.000Z
reports/iftomm_dach/presentation/content/home/030_mecEdit.md
klawr/deepmech
61de238f1d4b1b867ec1d5f4e4af2a3b25a5abff
[ "MIT" ]
null
null
null
+++ weight = 30 +++ <section data-background-iframe="mecEdit/index.html" data-background-interactive> {{% fragment %}} <h1 style="text-transform: none; color: white"> https://mecEdit.com </h1> {{% /fragment %}} </section>
31.714286
108
0.675676
kor_Hang
0.19479
4ff87dfcad275b4086242e63c819eaf50589bde2
4,416
md
Markdown
README.md
WangSiCong1988/Libs_WSCString
736160b02791fde0503e36ff3febf302d62bb13d
[ "MIT" ]
null
null
null
README.md
WangSiCong1988/Libs_WSCString
736160b02791fde0503e36ff3febf302d62bb13d
[ "MIT" ]
null
null
null
README.md
WangSiCong1988/Libs_WSCString
736160b02791fde0503e36ff3febf302d62bb13d
[ "MIT" ]
null
null
null
# Libs_WinString My personal string header file working in Windows C/C++ (only support English & Chinese) [![LICENSE](https://img.shields.io/badge/license-Anti%20996-blue.svg?style=flat-square)](https://github.com/996icu/996.ICU/blob/master/LICENSE) [![HitCount](http://hits.dwyl.com/WangSiCong1988/Libs_Win32String.svg)](http://hits.dwyl.com/WangSiCong1988/Libs_Win32String) ## 编译 `WinString_DLL`Release编译后,执行`build_prod.bat`生成生产环境文件 ## 调用方式(DLL方式) * 开启开发模式 ```c++ #define _LWS_WINSTRING_DEV ``` * DLL 导入库的文件<br> `WinString_DLL.h`导出WinString类<br> `WinString_DLL.dll`<br> `WinString_DLL.lib`<br> * DLL 导入库添加到项目<br> [Microsoft推荐方式:DLL 导入库添加到项目](https://docs.microsoft.com/zh-cn/cpp/build/walkthrough-creating-and-using-a-dynamic-link-library-cpp?view=vs-2019) * 错误处理 * `无法解析的外部符号 "__declspec(dllimport) public: wchar_t * __thiscall WinString::Parse2WideChar(void)" (__imp_?Parse2WideChar@WinString@@QAEPA_WXZ)`<br> 在Configuration Properties-> C/C++-> Language中,设置Treat wchar_t as Built-in Type = No(如果选Yes报错) * 手动释放WinString指针显示不可访问<br> 因为调用Create()方法分配的空间是在DLL的堆栈中而不是你的程序中,因此不能采用delete释放。正确的做法是使用`WinString::Destroy(WinString * lp)`,来释放在DLL堆栈中的空间。所以`~WinString()`方法被设为私有,避免错误释放。 ```c++ WinString * lpWS = WinString::Create(); WinString::Destroy(lpWS); // delete lpWS 显示不可访问,这个设置是为了强制编写者在DLL堆栈中释放空间 ``` * `_CrtIsValidHeapPointer出错`<br> 内存申请和释放不在同一堆栈上,详见[_CrtIsValidHeapPointer出错的解决方法](https://blog.csdn.net/u014287775/article/details/76098363) ## 支持的编码 * `WIDE_CHARACTER` 仅在内存中使用。**<font color="red">注意:这个格式vc/c++中直接使用的格式不同</font>**<br> * VC/C++ wchar_t实现方式<br> vc/c++中的英文字符仍然采用ASCII编码方式。可以设想,其他国家程序员利用vc/c++编写程序输入本国字符时,vc/c++则会采用该国的字符编码方式来处理这些字符。<br> 以两字节为单位存放字符,即如果一个字符码为两字节,则在内存中占四字节,字符码为一字节,就占两字节。例如,字符串“中国abc”就存为如下方式:<br> ```c++ wchar_t str = "中国abc"; ``` ![wchar_t 空间分配规则](https://github.com/WangSiCong1988/Libs_WinString/raw/dev/img/wchar_t空间分配规则.bmp)<br> * WinString 实现方式<br> WinString中的wchar_t类型采用UTF-16(一个中文字符只占用2个字节),而不是简单的扩充空间版本ASCII编码。所以`printf("%ls")`打印时出现中文编码故障,因此要制定命令行编码方式 ``` setlocale(LC_CTYPE, "chinese-simplified"); // 简体 setlocale(LC_CTYPE, "chs"); setlocale(LC_CTYPE, "chinese-traditional"); // 繁体,如果不成功,则采用指明区域的繁体 setlocale(LC_ALL, "chinese-hongkong"); // 繁体,香港 setlocale(LC_CTYPE, "chinese_taiwan.950"); // 繁体,台湾 ``` * `ASCII` 在中文版Windows系统中,ASCII也可以支持中文。英文、英文标点符号仍采用ASCII编码,但是中文采用别的编码实现。大陆版Windows采用GB2312,台湾版Windows采用Big5 * `UTF8` * `UTF16_LittleEndian` * `UTF16_BigEndian` * `ISO_8859_1` * `GB18030`<br> ![GB18030字符集编码规则](https://github.com/WangSiCong1988/Libs_WinString/raw/dev/img/GB18030字符集编码规则.webp)<br> * `GB2312` ### Windows Code Page Identifiers [Windows编码ID](https://docs.microsoft.com/en-us/windows/win32/intl/code-page-identifiers) ## 源代码修改注意事项 * public methods must be _stdcall<br> 如果通过VC++编写的DLL欲被其他语言编写的程序调用,应将函数的调用方式声明为__stdcall方式 * 内存泄漏测试方式<br> [使用 CRT 库查找内存泄漏](https://docs.microsoft.com/zh-cn/visualstudio/debugger/finding-memory-leaks-using-the-crt-library?view=vs-2019)<br> CRT库的建议会导致new (str::nothrow)无法被编译器识别,所以编写时new必须采用try catch方式检测失败(设置异常函数的方法被抛弃:因为异常函数编写时可能再发生异常,导致逻辑复杂) * try catch 异常捕捉采用引用捕捉<br> 当catch捕捉到异常时,如果采用按值传递,会把异常对象拷贝一次,才专递过来(按引用就没有这个拷贝过程)。异常处理可能工作在内存极度紧张的情况,因此采用按引用传递,减少内存消耗 * `WinString()`和`~WinString()`必须设为私有,让内存释放强制调用DLL提供的方法,避免内存跨模块释放<br> 详见[_CrtIsValidHeapPointer出错的解决方法](https://blog.csdn.net/u014287775/article/details/76098363) License --- [Anti-996 License](LICENSE) [![Badge](https://img.shields.io/badge/link-996.icu-%23FF4D5B.svg?style=flat-square)](https://996.icu/#/en_US) [![Slack](https://img.shields.io/badge/slack-996icu-green.svg?style=flat-square)](https://join.slack.com/t/996icu/shared_invite/enQtNjI0MjEzMTUxNDI0LTkyMGViNmJiZjYwOWVlNzQ3NmQ4NTQyMDRiZTNmOWFkMzYxZWNmZGI0NDA4MWIwOGVhOThhMzc3NGQyMDBhZDc) - The purpose of this license is to prevent anti-labour-law companies from using the software or codes under the license, and force those companies to weigh their way of working - See a [full list of projects](awesomelist/README.md) under Anti-996 License - This draft is adapted from the MIT license. For a more detailed explanation, please see [Wiki](https://github.com/kattgu7/996-License-Draft/wiki). This license is designed to be compatible with all major open source licenses. - For law professionals or anyone who is willing to contribute to future version directly, please go to [Anti-996-License-1.0](https://github.com/kattgu7/996-License-Draft). Thank you.
49.066667
347
0.777627
yue_Hant
0.806621
4ff88c86010acf4ee079a9eaa0918b691474ba8c
79
md
Markdown
interceptors/java/spring-ingress-interceptor/README.md
mesh-dynamics/api-studio
954e97b957f60bf773bc6bd62d55c8769782d97a
[ "Apache-2.0" ]
4
2021-07-12T15:57:32.000Z
2021-07-19T17:37:17.000Z
interceptors/java/spring-ingress-interceptor/README.md
mesh-dynamics/api-studio
954e97b957f60bf773bc6bd62d55c8769782d97a
[ "Apache-2.0" ]
null
null
null
interceptors/java/spring-ingress-interceptor/README.md
mesh-dynamics/api-studio
954e97b957f60bf773bc6bd62d55c8769782d97a
[ "Apache-2.0" ]
2
2021-08-24T08:47:10.000Z
2021-12-08T05:48:11.000Z
# spring-ingress-interceptor Spring Ingress Interceptor for REST Http Requests
26.333333
49
0.848101
kor_Hang
0.28179
4ffa69aed0389ad1340ce4b7b5d4cfaf633204c4
3,215
md
Markdown
README.md
andrealauria104/ngsRtools
b26d3d37d97777f24deff559bd57ceb32096f631
[ "MIT" ]
null
null
null
README.md
andrealauria104/ngsRtools
b26d3d37d97777f24deff559bd57ceb32096f631
[ "MIT" ]
null
null
null
README.md
andrealauria104/ngsRtools
b26d3d37d97777f24deff559bd57ceb32096f631
[ "MIT" ]
null
null
null
# ngsRtools A Suite of R Packages for NGS-based Epigenomic Data Analysis. ### Description A Collection of Statistical and Visualization Tools for Next-Generation Sequencing Data Analysis, with a focus on Epigenomics research.<br/> <br/> It includes packages for the analysis of:<br/> - RNA-seq (bulk transcriptomics) - `RNAseqRtools` <br/> - scRNA-seq (single-cell transcriptomics) - `scRNAseqRtools` <br/> - ChIP-seq (genome-wide Protein-DNA binding) - `ChIPseqRtools` <br/> - BS-seq (genome-wide DNA methylation analysis) - `BSseqRtools` <br/> - Sequence Data processing and analysis - `sequenceAnalysisRtools` <br/> ### Prerequisites The suite is based on a set of CRAN and R/Bioconductor packages. The complete list of required packages is reported here for each component of the suite:<br/> - `RNAseqRtools`: `edgeR`, `DESeq2`, `sva`, `cluster`, `gProfileR`, `clusterProfiler`, `dynamicTreeCut`, `ComplexHeatmap`.<br/> - `scRNAseqRtools`: `scater`, `scran`, `monocle`.<br/> - `ChIPseqRtools`: `GenomicRanges`. <br/> - `BSseqRtools`: `methylKit`. <br/> - `sequenceAnalysisRtools`: `Biostrings`. <br/> - `utilsRtools`: `ggplot2`, `reshape2`, `plyr`. <br/> The installation script will automatically take care of dependencies (see **Installation** section). ### Installation Clone the repository on your machine: ``` git clone https://github.com/andrealauria104/ngsRtools.git ``` To install the complete suite of packages: ``` cd ngsRtools ./install.sh ``` This will install packages and dependencies. It will also test executability of programs in the `scripts/` folder.<br/> Alternatively, yuo can install individual packages, for example typing from your R session: ``` devtools::install_github("https://github.com/andrealauria104/ngsRtools", subdir="packages/RNAseqRtools") ``` Or from the location of you cloned repository: ``` # from command line R CMD INSTALL RNAseqRtools # from R devtools::install("RNAseqRtools") ``` Warning: all packages depend from the `utilsRtools` package. If you choose to install individual packages, install it as you first.<br/> To uninstall the complete suite: ``` cd ngsRtools ./uninstall.sh ``` ### Using Conda Clone the repository on your machine: ``` git clone https://github.com/andrealauria104/ngsRtools.git ``` Create conda environment from .yml file with all R dependencies: ``` cd ngsRtools conda env create -f data/environment.yml -n r-environment ``` Activate r-environment and install the complete suite of packages: ``` conda activate r-environment cd ngsRtools ./install.sh ``` The suite will now be available activating the conda environment. ### Docker The suite can be used in a Docker container with all packages and scripts. Pull the image: ``` docker pull anlauria/ngsrtools ``` To run interactive bash in current directory ``` docker run --rm -it -u `id -u`:`id -g` -v $(pwd):/tmp/ anlauria/ngsrtools:0.0.1 bash ``` To run interactive R console in current directory ``` docker run --rm -it -u `id -u`:`id -g` -v $(pwd):/tmp/ anlauria/ngsrtools:0.0.1 R ``` To run RStudio server in current directory - localhost:8787, username=rstudio ``` docker run --rm -v $(pwd):/home/rstudio -e PASSWORD="ngsrtools" -p 8787:8787 anlauria/ngsrtools:0.0.1 ```
35.32967
141
0.738103
eng_Latn
0.832974
4ffcf7567d1477668a0fd9aac96b92803cda5dd1
27
md
Markdown
README.md
foadabdollahi/react-input-tag-bootstrap
4eaed237e3646b5832e10b4333e02e5e4ffd8729
[ "MIT" ]
null
null
null
README.md
foadabdollahi/react-input-tag-bootstrap
4eaed237e3646b5832e10b4333e02e5e4ffd8729
[ "MIT" ]
null
null
null
README.md
foadabdollahi/react-input-tag-bootstrap
4eaed237e3646b5832e10b4333e02e5e4ffd8729
[ "MIT" ]
null
null
null
# react-input-tag-bootstrap
27
27
0.814815
nld_Latn
0.343781
4ffd3c0c13c8ebec9cea594e57225bae6df7df9d
535
md
Markdown
readme.md
goclub/redis
d473cc98d3697741db195716b19adbfd99e7ebf8
[ "Apache-2.0" ]
1
2021-02-17T14:51:00.000Z
2021-02-17T14:51:00.000Z
readme.md
goclub/redis
d473cc98d3697741db195716b19adbfd99e7ebf8
[ "Apache-2.0" ]
null
null
null
readme.md
goclub/redis
d473cc98d3697741db195716b19adbfd99e7ebf8
[ "Apache-2.0" ]
1
2021-02-17T14:50:59.000Z
2021-02-17T14:50:59.000Z
# goclub/redis ## 启动 ```go package main import ( red "github.com/goclub/redis" redis "github.com/go-redis/redis/v8" "context" ) func main() { ctx := context.Background() exampleClient := red.GoRedisV8{ Core: redis.NewClient(&redis.Options{}), } err := exampleClient.Core.Ping(ctx).Err() ; if err != nil { panic(err) } // red.GET{Key: "mykey"}.Do(ctx, exampleClient) // red.SET{Key: "mykey", Value: "nimo"}.Do(ctx, exampleClient) // red.DEL{Key: "mykey"}.Do(ctx, exampleClient) } ```
19.814815
66
0.605607
yue_Hant
0.240934
4ffde3367cdabb5d3b09e8d9a59b9bc87f80342a
6,399
md
Markdown
README.md
zahran123/BubbleBoiBot
adb5629d19226c69579a630a9c79bd05a5e77300
[ "MIT" ]
null
null
null
README.md
zahran123/BubbleBoiBot
adb5629d19226c69579a630a9c79bd05a5e77300
[ "MIT" ]
null
null
null
README.md
zahran123/BubbleBoiBot
adb5629d19226c69579a630a9c79bd05a5e77300
[ "MIT" ]
null
null
null
# BubbleBoiBot v1.71 This bot is a complete remake of alekxeyuk's original Python bot that adds countless new features along with fixing other features to make them more user friendly (See disclaimers at bottom of README.md (the text you're reading right now)). # Features: - 100% Free and Opensource at GitHub. + You can run eighteen bots per computer. - You can customize settings easily within the settings.json file. + Automatic drawing of custom images with two optional algorithms; cluster or yliluoma. - Automatic reconnection when kicked so you can leave the bot running without constantly monitoring it. + .bat support so you can run all eighteen bots from a single click without taking up the entire screen. - Optional automatic spam that avoids muting. + Optional spam formatting that converts any fullstops (periods) into commas for easy link spamming. - Optional automatic searching for users with a specified username. + Seven colour themes for the bot console. - Our discord server got removed and old discount account got terminated. RIP. # How to install the bot: 1. Download Python 3.7.4 here: https://www.python.org/ftp/python/3.7.4/python-3.7.4.exe 2. When installing Python 3.7.4, check the, "Install to PATH", checkbox then click, "Custom installation". Check every box and leave the default save location as default (Do not click browse!) 3. On this GitHub page, click the green, "Clone or download." Button and then click, "Download as ZIP." Then, extract the ZIP file somewhere on your computer. You will need to come to this file to run the bot, so save it somewhere rememerable. 4. Do `windows + s` and type in the search, "Windows power shell". Right click it and then click, "Run as administrator." 5. In the windows shell, enter the following command: ``` pip install websockets aiohttp python-socketio requests Pillow numpy commentjson colorama ``` 6. To run the bot, head to the BubblyBoiBot folder (not the ZIP, the folder you extracted) and click the `loopAll.bat` file. **Thank you for installing the bot!** # How to customize the bot (loopAll.config): In the `loopAll.config` file (Inside the exec folder), you will find the following options: `hidden`, `delay`, `devSkip` and `startTimes`. `hidden` is set to false by default. Setting it to true will cause the bot windows to become hidden to the user outside of the task manager. Leaving it as false will set the bot windows to open minimized. `delay` sets how long the delay is between each bot starting. The default value is 1. `devSkip` simply stops any bots from running when using the `loopAll.bat` file. It is set to false by default and is only really used when testing the simple interface of the `loopAll.bat` program. Finally, `startTimes` sets how many bots will open on each of the three Skribbl.io ports (port5001, port5002, port5003) when running `loopAll.bat`. The default is 6. From testing, it appears the maximum is also six bots per port (Meaning at optimal time and without any errors, you can run up to eighteen bots on one computer). # How to customize the bot: Open the `settings.json` file with your text editor and customize the bot with the following options: `"ColourTheme": "plain"`: You can change this to either `emerald`, `fire`, `ocean`, `storm`, `candy`, `gold` or `plain`. `"BrightOrDim": "dim"`: You can change this to either `bright` or `dim`, which will affect how bright the bot text is. `"BotName": "BubblyBoiBot"` You can change the bot name when connection to a server here. `"Port": 5001` You do not have to change this unless you're using private games. `"Join": ""` To join a private game, add the code here (The string of characters found after the '?' in the server link). You'll have to test each port to see if it works. `"Language": "English"` Select what servers you wish to join (i.e Join the English servers). `"RandomAvatar": false` If this is set to false the avatar will be transparent. If set to true, your avatar will be random. `"Shuffle": false` Draw the image randomly as opposed to moving up or down the image. Don't get this confused with "RandomImage". `"SpamServer": true` Set this to true if you want to automatically spam a server. `"SpamMessage": "REPLACE THIS TEXT WITH THE TEXT YOU WANT TO SPAM"`: Set this to your spam message. Do not use 100+ characters. `"AutomaticFormatting": false`: Use this if you want to automatically convert all fullstops (periods) into commans. `"RandomImage": false` Select a random image from the `images` folder. `"ImageToDraw": ""` If "RandomImage" is false, specify the image here. Image must be in the `images` folder. `"Algorithm": "cluster" or "yliluoma"`: Set the drawing algorithm to either cluster or yliluoma. `"AnnounceWord": false`: If "AnnounceWord" is true, the bot will announce the real word to chat before drawing. If false, it will not. `"OnlyUser": false` Enable the automatic searching feature. `"OnlyUserName": "yourusernamehere"` Specify which username to search for. All files in the `images` folder must be images. Image names are case and symbol sensitive and you must include the file extension. Images must be JPG/JPEG/BMP. # Common Errors: ``` connection established. disconnected from server. disconnected from server. ``` This error means either; You are running too many bots one port or the server the bot tried to connect to was full. Solution: If the problem is caused by running more than six bots on one port, close any excessive bots on that port. There isn't exactly a solution to cause B other than, "Try again later". `ValueError: operands could not be broadcast together with shapes (150, 200) and (150, 200, 3)` You must use JPG/JPEG images. Please report any errors you get to Izarus#6723. If I get the error commonly, I will add it to this list. # Disclaimers - Disclaimer No.1: VirusTotal states, "57/58 scanners, including Avast, AVG, McAfee, Norton, claim that this is malware free. The only scanner that claims virus is obsecure, and claims it is adware, more than likely due to spamming. - Disclaimer No.2: There is a differance between a potentially unwanted program (PUP) and malware. - Disclaimer No.3: Quiet.exe is only used if `hidden` option is enabled in the `loopAll.config` file in the exec folder. If `hidden` option is not enabled you can remove `quiet.exe`. # Thank You, Catterall#6723 (That's my discord).
59.25
955
0.758556
eng_Latn
0.998583
4ffecfee7a6150e3c42188a951b24922e039cf15
1,280
md
Markdown
_posts/2015-05-07-guide-to-hiring-for-your-startup.md
pallard23/blog
2bc5dfdfb3775a1888541a3977301092dafc4d78
[ "MIT" ]
93
2015-04-20T01:04:52.000Z
2022-02-19T14:48:12.000Z
_posts/2015-05-07-guide-to-hiring-for-your-startup.md
pallard23/blog
2bc5dfdfb3775a1888541a3977301092dafc4d78
[ "MIT" ]
36
2015-04-16T04:21:17.000Z
2019-04-17T23:12:22.000Z
_posts/2015-05-07-guide-to-hiring-for-your-startup.md
pallard23/blog
2bc5dfdfb3775a1888541a3977301092dafc4d78
[ "MIT" ]
104
2015-09-29T13:33:30.000Z
2022-03-06T00:03:13.000Z
--- layout: post title: "A Guide to Hiring for your Startup" tags: - Startups thumbnail_path: blog/thumbs/guide-to-hiring.png time_estimate_minutes: 15 excerpt: | On April 30, 2015, I gave a talk called "A Guide to Hiring for your Startup", where I discussed what to look for in a candidates, where to find them, how to interview them, and how to make an offer they can't refuse. This talk is based on my book Hello, Startup. Here are the video and slides. --- {% capture url %}{{ site.hello_startup_url }}?ref=ybrikman-guide-to-hiring{% endcapture %} On April 30, 2015, I gave a talk called "A Guide to Hiring for your Startup", where I discussed what to look for in candidates, where to find them, how to interview them, and how to make an offer they can't refuse. This talk is based on my book [Hello, Startup]({{ url }}). Here are the video and slides: {% include iframe-figure.html url="//www.youtube.com/embed/jaSmYLymc0U" link="https://www.youtube.com/watch?v=jaSmYLymc0U" caption="A Guide to Hiring for your Startup (Video)" %} {% include iframe-figure.html url="//www.slideshare.net/slideshow/embed_code/key/kEWatW8ort9Xae" link="http://www.slideshare.net/brikis98/a-guide-to-hiring-for-your-startup" caption="A Guide to Hiring for your Startup (Slides)" %}
47.407407
230
0.742969
eng_Latn
0.97553
4fff2b7c51714272112e723f66a02e8ad8fa05c4
4,456
md
Markdown
inventory-app/Descritptions/9.Listing-Products.md
Kruchy1980/inventory-ang-app
91556283cfb8b425087f5aedc3d020c7cb266a3f
[ "MIT" ]
null
null
null
inventory-app/Descritptions/9.Listing-Products.md
Kruchy1980/inventory-ang-app
91556283cfb8b425087f5aedc3d020c7cb266a3f
[ "MIT" ]
4
2021-09-02T16:28:53.000Z
2022-02-27T10:14:28.000Z
inventory-app/Descritptions/9.Listing-Products.md
Kruchy1980/inventory-ang-app
91556283cfb8b425087f5aedc3d020c7cb266a3f
[ "MIT" ]
null
null
null
# Listing products using <products-list> ##### Now that we have our top-level AppComponent component, we need to add a new component for rendering a list of products. In the next section we’ll create the implementation of a ProductsList component that matches the selector products list . Before we dive into the implementation details, here’s how we will use this new component in our template: ### app.component.html: - Inputs and outputs: <div class="inventory-app"> <!-- input --> <products-list [productList]="products" (onProductSelected)="productWasSelected($event)" > <!-- output --> </products-list> </div> ##### The [squareBrackets] pass inputs and the (parentheses) handle outputs. ##### Data flows in to your component via input bindings and events flow out of your component through output bindings. ##### Think of the set of input + output bindings as defining the public API of your component. ## [squareBrackets] pass inputs ##### In Angular, you pass data into child components via inputs. ##### In our code where we show: <products-list [productList]="products" ##### We’re using an input of the ProductList component. ##### To understand where products / productList are coming from. There are two sides to this attribute: • [productList] (the left-hand side) and • "products" (the right-hand side) ###### The left-hand side [productList] says we want to use the productList input of the products-list component (we’ll show how to define that in a moment). ##### The right-hand side "products" says that we want to send the value of the expression products . That is, the array this.products in the AppComponent class. #### How would we know that productList is a valid input to the products-list component? #### The answer is: you’d read the docs for that component. The inputs (and outputs ) are part of the “public API” of a component. #### You’d know the inputs for a component that you’re using in the same way that you’d know what the arguments are for a function that you’re using. #### That said, we’ll define the products-list component in a moment, and we’ll see exactly how the productList input is defined. ## (parens) handle outputs ##### In Angular, you send data out of components via outputs. In our code where we show: <products-list ... (onProductSelected)="productWasSelected(\$event)"> ##### We’re saying that we want to listen to the onProductSelected output from the ProductsList component. That is: • (onProductSelected) , the left-hand side is the name of the output we want to “listen” on • "productWasSelected" , the right-hand side is the function we want to call when something new is sent to this output • \$event is a special variable here that represents the thing emitted on (i.e. sent to) the output. ##### Now, we haven’t talked about how to define inputs or outputs on our own components yet, but we will shortly when we define the ProductsList component. For now, know that we can pass data to child components through inputs (like “arguments” to a function) and we can receive data out of a child component through outputs (sort of like “return values” from a function). ### Full AppComponent Listing ##### We broke the AppComponent up into several chunks above. So that we can see the whole thing together, here’s the full code listing of our AppComponent: ### app.component.ts - full: import { Component, EventEmitter } from "@angular/core"; import { Product } from "./product.model"; <!-- // @InventoryApp: the top-level component for our application --> @Component({ selector: "inventory-app-root", templateUrl: "./app.component.html" }) export class AppComponent { products: Product[]; constructor() { this.products = [ new Product( "MYSHOES", "Black Running Shoes", "/assets/images/products/black-shoes.jpg", ["Men", "Shoes", "Running Shoes"], 109.99 ), new Product( "NEATOJACKET", "Blue Jacket", "/assets/images/products/blue-jacket.jpg", ["Women", "Apparel", "Jackets & Vests"], 238.99 ), new Product( "NICEHAT", "A Nice Black Hat", "/assets/images/products/black-hat.jpg", ["Men", "Accessories", "Hats"], 29.99 ) ]; } productWasSelected(product: Product): void { console.log("Product clicked: ", product); } } ### app.component.html - full: <div class="inventory-app"> <!-- input --> <products-list [productList]="products" (onProductSelected)="productWasSelected($event)" > <!-- output --> </products-list> </div>
34.015267
373
0.723743
eng_Latn
0.992276
8b0196a8e790cdef32d1363883e56dbaa7113c54
135
md
Markdown
README.md
qenterprise/xCMS
9e30f8bd6e961c9b2b4e48261009841b56d07df0
[ "Apache-2.0" ]
null
null
null
README.md
qenterprise/xCMS
9e30f8bd6e961c9b2b4e48261009841b56d07df0
[ "Apache-2.0" ]
null
null
null
README.md
qenterprise/xCMS
9e30f8bd6e961c9b2b4e48261009841b56d07df0
[ "Apache-2.0" ]
null
null
null
# xCMS xCMS is an open content management system based on PHP+MYSQL. Perfect API allows you to quickly develop APP and WeChat applets.
45
127
0.8
eng_Latn
0.992522
8b0344ad147934b84e764fc06f3faae4ad5c3f2d
598
md
Markdown
README.md
eliaspeteri/dev-academy-2022-exercise
ba9a9f747853815fccad530de38e9e4df1ba1e22
[ "MIT" ]
null
null
null
README.md
eliaspeteri/dev-academy-2022-exercise
ba9a9f747853815fccad530de38e9e4df1ba1e22
[ "MIT" ]
null
null
null
README.md
eliaspeteri/dev-academy-2022-exercise
ba9a9f747853815fccad530de38e9e4df1ba1e22
[ "MIT" ]
null
null
null
# dev-academy-2022-exercise ## Table of Contents 1. [Preamble](#preamble) 2. [Deployed application](#deployed-application) 3. [Dependencies and used libraries](#dependencies-and-used-libraries) 4. [Installation](#installation) 5. [Troubleshooting](#troubleshooting) ## Preamble This fullstack project is an official application to the Solita 2022 Dev Academy. ## Deployed application ## Dependencies and used libraries - Node 12 or newer - Express - Mongoose for connecting to a MongoDB collection - Typescript - Apollo server for enabling GraphQL support ## Installation ## Troubleshooting
23
81
0.77592
eng_Latn
0.927526
8b03b488333553b44293deeeff96b8f051af592e
429
md
Markdown
doc-src/view/cssUnit/thumbnail.md
regular-ui/regular-ui
87b0957d84dafe88e4f3653cbf1d51f3cf9bad2a
[ "MIT" ]
98
2015-09-18T09:54:31.000Z
2020-01-17T06:57:04.000Z
doc-src/view/cssUnit/thumbnail.md
JUNUL/regular-ui
87b0957d84dafe88e4f3653cbf1d51f3cf9bad2a
[ "MIT" ]
50
2015-11-11T07:00:48.000Z
2018-05-19T08:17:57.000Z
doc-src/view/cssUnit/thumbnail.md
JUNUL/regular-ui
87b0957d84dafe88e4f3653cbf1d51f3cf9bad2a
[ "MIT" ]
45
2015-09-18T09:54:32.000Z
2021-03-12T08:11:26.000Z
### 示例 #### 基本形式 <div class="m-example"></div> ```html <div class="u-thumbnail"> <img src="../img/placeholder-200x100.svg"> </div> <a class="u-thumbnail"> <img src="../img/placeholder-200x100.svg"> </a> <figure class="u-thumbnail"> <img src="../img/placeholder-200x100.svg"> </figure> ``` <div class="u-thumbnail"> <img src="../img/placeholder-200x100.svg"> <div class="thumbnail_caption">test</div> </div>
20.428571
46
0.622378
eng_Latn
0.094119
8b04679cab1c6aa24bdedfe3faebf78ce7589d6c
342
md
Markdown
README.md
enterprisey/AAdminScore
0990ab6301f03c86e65a196119dd129bf9b20120
[ "MIT" ]
2
2020-12-01T16:15:36.000Z
2021-09-18T10:15:23.000Z
README.md
enterprisey/AAdminScore
0990ab6301f03c86e65a196119dd129bf9b20120
[ "MIT" ]
1
2019-02-15T20:10:28.000Z
2019-02-18T02:49:11.000Z
README.md
enterprisey/AAdminScore
0990ab6301f03c86e65a196119dd129bf9b20120
[ "MIT" ]
1
2019-02-20T12:47:27.000Z
2019-02-20T12:47:27.000Z
# AAdminScore A tool for calculating a Wikipedia user's admin score. Calculations (i.e. how many points should an edit count of x give you, and so on) are based off those from Scottywong's admin score tool, from which I also took the initial idea and which metrics to use. Check it out at https://tools.wmflabs.org/apersonbot/aadminscore/.
48.857143
203
0.777778
eng_Latn
0.999508
8b08cb05e6c2867fea162011bdccb99ae684a2fa
175
md
Markdown
djenv/README.md
PegasusWang/django-web-app-book
a9a31c5ae78c2bfa9520e7676c3be7f6fb465dbb
[ "MIT" ]
75
2015-01-19T06:30:27.000Z
2019-11-10T13:44:48.000Z
djenv/README.md
PegasusWang/django-web-app-book
a9a31c5ae78c2bfa9520e7676c3be7f6fb465dbb
[ "MIT" ]
1
2015-03-09T04:25:44.000Z
2015-03-09T14:18:36.000Z
djenv/README.md
iblogc/django-web-app-book
036e5e1e957245b0576330956e2e5db9dc81d781
[ "MIT" ]
34
2015-01-20T15:47:54.000Z
2021-08-31T08:46:14.000Z
Django 环境配置 ==== 本节内容主要讲述Django的环境设置,我们会使用`Virtualenv`来构建一个专门用于项目开发的虚拟环境,然后再介绍Django的安装。 **本节内容:** - [Virtualenv 安装](01.1.md) - [Django 安装](01.2.md) - [安装iPython](01.3.md)
15.909091
71
0.708571
zho_Hans
0.088711
8b0905400d04ffe42ef700c4d03a039f84cc14c9
10,245
md
Markdown
articles/mobile-engagement/mobile-engagement-ios-swift-get-started.md
OpenLocalizationTestOrg/azure-docs-pr15_nl-BE
0820e32985e69325be0aaa272636461e11ed9eca
[ "CC-BY-3.0", "CC-BY-4.0", "MIT" ]
null
null
null
articles/mobile-engagement/mobile-engagement-ios-swift-get-started.md
OpenLocalizationTestOrg/azure-docs-pr15_nl-BE
0820e32985e69325be0aaa272636461e11ed9eca
[ "CC-BY-3.0", "CC-BY-4.0", "MIT" ]
null
null
null
articles/mobile-engagement/mobile-engagement-ios-swift-get-started.md
OpenLocalizationTestOrg/azure-docs-pr15_nl-BE
0820e32985e69325be0aaa272636461e11ed9eca
[ "CC-BY-3.0", "CC-BY-4.0", "MIT" ]
null
null
null
<properties pageTitle="Aan de slag met Azure Mobile Engagement voor iOS in Swift | Microsoft Azure" description="Informatie over het gebruik van Azure Mobile Engagement met Analytics en Push-meldingen voor iOS Apps." services="mobile-engagement" documentationCenter="mobile" authors="piyushjo" manager="erikre" editor="" /> <tags ms.service="mobile-engagement" ms.workload="mobile" ms.tgt_pltfrm="mobile-ios" ms.devlang="swift" ms.topic="hero-article" ms.date="09/20/2016" ms.author="piyushjo" /> # <a name="get-started-with-azure-mobile-engagement-for-ios-apps-in-swift"></a>Aan de slag met Azure Mobile Engagement voor iOS Apps in Swift [AZURE.INCLUDE [Hero tutorial switcher](../../includes/mobile-engagement-hero-tutorial-switcher.md)] In dit onderwerp wordt beschreven hoe u Azure Mobile Engagement gebruiken om te begrijpen van het gebruik van app en push-meldingen verzenden naar gesegmenteerde gebruikers naar een iOS-toepassing. In deze zelfstudie maakt u een lege iOS-app die verzamelt basisgegevens en push-meldingen met behulp van de Apple Push Notification System (APNS) ontvangt. Deze zelfstudie is het volgende vereist: + XCode-8, die u vanuit de MAC App Store installeren kunt + de [betrokkenheid bij de mobiele iOS SDK] + Push notification certificaat (.p12) die u op uw Apple Dev Center krijgen kunt > [AZURE.NOTE] In deze zelfstudie wordt de Swift-versie 3.0. Voltooien van deze zelfstudie is een vereiste voor alle andere Mobile Engagement zelfstudies voor iOS apps. > [AZURE.NOTE] Deze zelfstudie hebt u een actieve account Azure. Als u geen account hebt, kunt u een gratis proefperiode account in een paar minuten. Zie voor meer informatie, [Gratis proefperiode van Azure](https://azure.microsoft.com/pricing/free-trial/?WT.mc_id=A0E0E5C02&amp;returnurl=http%3A%2F%2Fazure.microsoft.com%2Fen-us%2Fdocumentation%2Farticles%2Fmobile-engagement-ios-swift-get-started). ##<a id="setup-azme"></a>Betrokkenheid bij de mobiele installatie voor uw iOS-app [AZURE.INCLUDE [Create Mobile Engagement App in Portal](../../includes/mobile-engagement-create-app-in-portal-new.md)] ##<a id="connecting-app"></a>Verbinding maken met uw app in de backend Mobile Engagement Deze zelfstudie bevat een "basic integration", dat is de minimaal vereiste gegevens verzamelen en verzenden van een push-bericht. De volledige integratie van documentatie kan worden gevonden in de [betrokkenheid bij de mobiele iOS SDK integratie](mobile-engagement-ios-sdk-overview.md) Een eenvoudige app maken we met XCode om aan te tonen van de integratie: ###<a name="create-a-new-ios-project"></a>Maak een nieuw project voor iOS [AZURE.INCLUDE [Create a new iOS Project](../../includes/mobile-engagement-create-new-ios-app.md)] ###<a name="connect-your-app-to-mobile-engagement-backend"></a>Verbinding maken met uw app Mobile Engagement backend 1. De [betrokkenheid bij de mobiele iOS SDK] downloaden 2. Pak het. tar.gz-bestand naar een map op uw computer 3. Klik met de rechtermuisknop op het project en selecteer "Voeg bestanden toe aan..." ![][1] 4. Ga naar de map waarin u de SDK en selecteer uitgepakt de `EngagementSDK` map drukt u op OK. ![][2] 5. Open de `Build Phases` tabblad en in de `Link Binary With Libraries` menu de kaders toevoegen zoals hieronder wordt weergegeven: ![][3] 8. Maken een Bridging-koptekst als u de SDK van doelstelling C API's kunt gebruiken met de opdracht Bestand > Nieuw > Bestand > iOS > bron > Header-bestand. ![][4] 9. Bewerk het overbruggen headerbestand blootstellen Mobile Engagement doelstelling-C-code voor de Swift-code, het toevoegen van de volgende invoer: /* Mobile Engagement Agent */ #import "AEModule.h" #import "AEPushMessage.h" #import "AEStorage.h" #import "EngagementAgent.h" #import "EngagementTableViewController.h" #import "EngagementViewController.h" #import "AEUserNotificationHandler.h" #import "AEIdfaProvider.h" 10. Controleer of de doelstelling C Bridging kop build onder Compiler Swift - Code genereren als u een pad naar deze header heeft onder instellingen maken. Hier volgt een voorbeeld van een pad: **$(SRCROOT)/MySuperApp/MySuperApp-Bridging-Header.h (afhankelijk van het pad)** ![][6] 11. Ga terug naar de portal voor Azure in *Connection Info* -pagina van uw app en kopieert u de verbindingsreeks ![][5] 12. Plak nu de verbindingsreeks in de `didFinishLaunchingWithOptions` overdragen func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool { [...] EngagementAgent.init("Endpoint={YOUR_APP_COLLECTION.DOMAIN};SdkKey={YOUR_SDK_KEY};AppId={YOUR_APPID}") [...] } ##<a id="monitor"></a>Realtime-controle inschakelen Gegevens verzenden en ervoor te zorgen dat de gebruikers actief zijn gestart, moet u ten minste één scherm (activiteit) sturen op de backend Mobile Engagement. 1. Open het bestand **ViewController.swift** en de basisklasse van **ViewController** naar **EngagementViewController**worden vervangen door: `class ViewController : EngagementViewController {` ##<a id="monitor"></a>App verbinding met de realtime-controle [AZURE.INCLUDE [Connect app with real-time monitoring](../../includes/mobile-engagement-connect-app-with-monitor.md)] ##<a id="integrate-push"></a>Push-meldingen en messaging-app Mobile Engagement kunt u interactie en bereiken met uw gebruikers met Push-meldingen en Messaging-app in de context van campagnes. In deze module wordt bereiken in de portal Mobile Engagement genoemd. In de volgende secties wordt uw app voor het ontvangen van deze instellingen. ### <a name="enable-your-app-to-receive-silent-push-notifications"></a>Uw app Silent Push-meldingen ontvangen inschakelen [AZURE.INCLUDE [mobile-engagement-ios-silent-push](../../includes/mobile-engagement-ios-silent-push.md)] ### <a name="add-the-reach-library-to-your-project"></a>De Reach-bibliotheek aan uw project toevoegen 1. Klik met de rechtermuisknop op uw project 2. Selecteer`Add file to ...` 3. Ga naar de map waarin u de SDK hebt uitgepakt. 4. Selecteer de `EngagementReach` map 5. Klik op toevoegen 6. Het overbruggen headerbestand bewerken als Mobile Engagement doelstelling C bereiken headers worden blootgesteld en voeg de volgende invoer: /* Mobile Engagement Reach */ #import "AEAnnouncementViewController.h" #import "AEAutorotateView.h" #import "AEContentViewController.h" #import "AEDefaultAnnouncementViewController.h" #import "AEDefaultNotifier.h" #import "AEDefaultPollViewController.h" #import "AEInteractiveContent.h" #import "AENotificationView.h" #import "AENotifier.h" #import "AEPollViewController.h" #import "AEReachAbstractAnnouncement.h" #import "AEReachAnnouncement.h" #import "AEReachContent.h" #import "AEReachDataPush.h" #import "AEReachDataPushDelegate.h" #import "AEReachModule.h" #import "AEReachNotifAnnouncement.h" #import "AEReachPoll.h" #import "AEReachPollQuestion.h" #import "AEViewControllerUtil.h" #import "AEWebAnnouncementJsBridge.h" ### <a name="modify-your-application-delegate"></a>Uw gemachtigde toepassing wijzigen 1. In de `didFinishLaunchingWithOptions` - Maak een reach-module en doorgegeven aan de bestaande betrokkenheid bij de initialisatie regel: func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool { let reach = AEReachModule.module(withNotificationIcon: UIImage(named:"icon.png")) as! AEReachModule EngagementAgent.init("Endpoint={YOUR_APP_COLLECTION.DOMAIN};SdkKey={YOUR_SDK_KEY};AppId={YOUR_APPID}", modulesArray:[reach]) [...] return true } ###<a name="enable-your-app-to-receive-apns-push-notifications"></a>Uw app APNS Push-meldingen ontvangen inschakelen 1. Voeg de volgende regel aan de `didFinishLaunchingWithOptions` methode: if #available(iOS 8.0, *) { if #available(iOS 10.0, *) { UNUserNotificationCenter.current().requestAuthorization(options: [.alert, .badge, .sound]) { (granted, error) in } }else { let settings = UIUserNotificationSettings(types: [.alert, .badge, .sound], categories: nil) application.registerUserNotificationSettings(settings) } application.registerForRemoteNotifications() } else { application.registerForRemoteNotifications(matching: [.alert, .badge, .sound]) } 2. Voeg toe de `didRegisterForRemoteNotificationsWithDeviceToken` methode als volgt: func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) { EngagementAgent.shared().registerDeviceToken(deviceToken) } 3. Voeg toe de `didReceiveRemoteNotification:fetchCompletionHandler:` methode als volgt: func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) { EngagementAgent.shared().applicationDidReceiveRemoteNotification(userInfo, fetchCompletionHandler:completionHandler) } [AZURE.INCLUDE [mobile-engagement-ios-send-push-push](../../includes/mobile-engagement-ios-send-push.md)] <!-- URLs. --> [Betrokkenheid bij de mobiele iOS SDK]: http://aka.ms/qk2rnj <!-- Images. --> [1]: ./media/mobile-engagement-ios-get-started/xcode-add-files.png [2]: ./media/mobile-engagement-ios-get-started/xcode-select-engagement-sdk.png [3]: ./media/mobile-engagement-ios-get-started/xcode-build-phases.png [4]: ./media/mobile-engagement-ios-swift-get-started/add-header-file.png [5]: ./media/mobile-engagement-ios-get-started/app-connection-info-page.png [6]: ./media/mobile-engagement-ios-swift-get-started/add-bridging-header.png
48.785714
400
0.731772
nld_Latn
0.906189
8b0a01dfbe4b18bd0051291e28af39631ef457ba
901
md
Markdown
CHANGELOG.md
spatie/laravel-typescript-transformer
49fcbc29db13231ae214980151b5c4b774f7a69b
[ "MIT" ]
77
2020-07-23T11:53:44.000Z
2022-03-24T06:12:43.000Z
CHANGELOG.md
spatie/laravel-typescript-transformer
49fcbc29db13231ae214980151b5c4b774f7a69b
[ "MIT" ]
12
2020-08-25T13:00:30.000Z
2022-01-25T16:43:24.000Z
CHANGELOG.md
spatie/laravel-typescript-transformer
49fcbc29db13231ae214980151b5c4b774f7a69b
[ "MIT" ]
10
2020-07-24T23:40:31.000Z
2022-02-12T12:38:03.000Z
# Changelog All notable changes to `typescript-transformer` will be documented in this file ## 2.0.0 - 2021-04-08 - The package is now PHP 8 only - Added TypeReflectors to reflect method return types, method parameters & class properties within your transformers - Added support for attributes - Added support for manually adding TypeScript to a class or property - Added formatters like Prettier which can format TypeScript code - Added support for inlining types directly - Updated the DtoTransformer to be a lot more flexible for your own projects - Added support for PHP 8 union types ## 1.1.2 - 2021-01-15 - Add support for configuring the writers (#7) ## 1.1.1 - 2020-11-26 - Add support for PHP 8 ## 1.1.0 - 2020-11-26 - Moved `SpatieEnumTransformer` to the `typescript-transformer` package ## 1.0.1 - 2020-09-09 - Add support for Laravel 8 ## 1.0.0 - 2020-09-02 - Initial release
25.742857
116
0.745838
eng_Latn
0.995609
8b0ac33dda386943749761af97b00bbd4773b7f7
59,539
md
Markdown
PInvoke/IpHlpApi/CorrelationReport.md
jeanbern/Vanara
bb12636c7fd84fd315f154af255555631e4faaee
[ "MIT" ]
null
null
null
PInvoke/IpHlpApi/CorrelationReport.md
jeanbern/Vanara
bb12636c7fd84fd315f154af255555631e4faaee
[ "MIT" ]
null
null
null
PInvoke/IpHlpApi/CorrelationReport.md
jeanbern/Vanara
bb12636c7fd84fd315f154af255555631e4faaee
[ "MIT" ]
null
null
null
## Correlation report for iphlpapi.dll ### Methods (98% complete, 155 of 158 functions) Native Method | Header | Managed Method --- | --- | --- [AddIPAddress](https://www.google.com/search?num=5&q=AddIPAddress+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.AddIPAddress](https://github.com/dahall/Vanara/search?l=C%23&q=AddIPAddress) [CancelIPChangeNotify](https://www.google.com/search?num=5&q=CancelIPChangeNotify+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CancelIPChangeNotify](https://github.com/dahall/Vanara/search?l=C%23&q=CancelIPChangeNotify) [CancelMibChangeNotify2](https://www.google.com/search?num=5&q=CancelMibChangeNotify2+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.CancelMibChangeNotify2](https://github.com/dahall/Vanara/search?l=C%23&q=CancelMibChangeNotify2) [ConvertInterfaceAliasToLuid](https://www.google.com/search?num=5&q=ConvertInterfaceAliasToLuid+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceAliasToLuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceAliasToLuid) [ConvertInterfaceGuidToLuid](https://www.google.com/search?num=5&q=ConvertInterfaceGuidToLuid+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceGuidToLuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceGuidToLuid) [ConvertInterfaceIndexToLuid](https://www.google.com/search?num=5&q=ConvertInterfaceIndexToLuid+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceIndexToLuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceIndexToLuid) [ConvertInterfaceLuidToAlias](https://www.google.com/search?num=5&q=ConvertInterfaceLuidToAlias+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceLuidToAlias](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceLuidToAlias) [ConvertInterfaceLuidToGuid](https://www.google.com/search?num=5&q=ConvertInterfaceLuidToGuid+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceLuidToGuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceLuidToGuid) [ConvertInterfaceLuidToIndex](https://www.google.com/search?num=5&q=ConvertInterfaceLuidToIndex+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceLuidToIndex](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceLuidToIndex) [ConvertInterfaceLuidToNameA](https://www.google.com/search?num=5&q=ConvertInterfaceLuidToNameA+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceLuidToName](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceLuidToName) [ConvertInterfaceLuidToNameW](https://www.google.com/search?num=5&q=ConvertInterfaceLuidToNameW+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceLuidToName](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceLuidToName) [ConvertInterfaceNameToLuidA](https://www.google.com/search?num=5&q=ConvertInterfaceNameToLuidA+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceNameToLuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceNameToLuid) [ConvertInterfaceNameToLuidW](https://www.google.com/search?num=5&q=ConvertInterfaceNameToLuidW+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertInterfaceNameToLuid](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertInterfaceNameToLuid) [ConvertIpv4MaskToLength](https://www.google.com/search?num=5&q=ConvertIpv4MaskToLength+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertIpv4MaskToLength](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertIpv4MaskToLength) [ConvertLengthToIpv4Mask](https://www.google.com/search?num=5&q=ConvertLengthToIpv4Mask+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ConvertLengthToIpv4Mask](https://github.com/dahall/Vanara/search?l=C%23&q=ConvertLengthToIpv4Mask) [CreateAnycastIpAddressEntry](https://www.google.com/search?num=5&q=CreateAnycastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.CreateAnycastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=CreateAnycastIpAddressEntry) [CreateIpForwardEntry](https://www.google.com/search?num=5&q=CreateIpForwardEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CreateIpForwardEntry](https://github.com/dahall/Vanara/search?l=C%23&q=CreateIpForwardEntry) [CreateIpForwardEntry2](https://www.google.com/search?num=5&q=CreateIpForwardEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.CreateIpForwardEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=CreateIpForwardEntry2) [CreateIpNetEntry](https://www.google.com/search?num=5&q=CreateIpNetEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CreateIpNetEntry](https://github.com/dahall/Vanara/search?l=C%23&q=CreateIpNetEntry) [CreateIpNetEntry2](https://www.google.com/search?num=5&q=CreateIpNetEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.CreateIpNetEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=CreateIpNetEntry2) [CreatePersistentTcpPortReservation](https://www.google.com/search?num=5&q=CreatePersistentTcpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CreatePersistentTcpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=CreatePersistentTcpPortReservation) [CreatePersistentUdpPortReservation](https://www.google.com/search?num=5&q=CreatePersistentUdpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CreatePersistentUdpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=CreatePersistentUdpPortReservation) [CreateProxyArpEntry](https://www.google.com/search?num=5&q=CreateProxyArpEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.CreateProxyArpEntry](https://github.com/dahall/Vanara/search?l=C%23&q=CreateProxyArpEntry) [CreateSortedAddressPairs](https://www.google.com/search?num=5&q=CreateSortedAddressPairs+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.CreateSortedAddressPairs](https://github.com/dahall/Vanara/search?l=C%23&q=CreateSortedAddressPairs) [CreateUnicastIpAddressEntry](https://www.google.com/search?num=5&q=CreateUnicastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.CreateUnicastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=CreateUnicastIpAddressEntry) [DeleteAnycastIpAddressEntry](https://www.google.com/search?num=5&q=DeleteAnycastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.DeleteAnycastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteAnycastIpAddressEntry) [DeleteIPAddress](https://www.google.com/search?num=5&q=DeleteIPAddress+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeleteIPAddress](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteIPAddress) [DeleteIpForwardEntry](https://www.google.com/search?num=5&q=DeleteIpForwardEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeleteIpForwardEntry](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteIpForwardEntry) [DeleteIpForwardEntry2](https://www.google.com/search?num=5&q=DeleteIpForwardEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.DeleteIpForwardEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteIpForwardEntry2) [DeleteIpNetEntry](https://www.google.com/search?num=5&q=DeleteIpNetEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeleteIpNetEntry](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteIpNetEntry) [DeleteIpNetEntry2](https://www.google.com/search?num=5&q=DeleteIpNetEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.DeleteIpNetEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteIpNetEntry2) [DeletePersistentTcpPortReservation](https://www.google.com/search?num=5&q=DeletePersistentTcpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeletePersistentTcpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=DeletePersistentTcpPortReservation) [DeletePersistentUdpPortReservation](https://www.google.com/search?num=5&q=DeletePersistentUdpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeletePersistentUdpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=DeletePersistentUdpPortReservation) [DeleteProxyArpEntry](https://www.google.com/search?num=5&q=DeleteProxyArpEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DeleteProxyArpEntry](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteProxyArpEntry) [DeleteUnicastIpAddressEntry](https://www.google.com/search?num=5&q=DeleteUnicastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.DeleteUnicastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=DeleteUnicastIpAddressEntry) [DisableMediaSense](https://www.google.com/search?num=5&q=DisableMediaSense+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.DisableMediaSense](https://github.com/dahall/Vanara/search?l=C%23&q=DisableMediaSense) [EnableRouter](https://www.google.com/search?num=5&q=EnableRouter+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.EnableRouter](https://github.com/dahall/Vanara/search?l=C%23&q=EnableRouter) [FlushIpNetTable](https://www.google.com/search?num=5&q=FlushIpNetTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.FlushIpNetTable](https://github.com/dahall/Vanara/search?l=C%23&q=FlushIpNetTable) [FlushIpNetTable2](https://www.google.com/search?num=5&q=FlushIpNetTable2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.FlushIpNetTable2](https://github.com/dahall/Vanara/search?l=C%23&q=FlushIpNetTable2) [FlushIpPathTable](https://www.google.com/search?num=5&q=FlushIpPathTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.FlushIpPathTable](https://github.com/dahall/Vanara/search?l=C%23&q=FlushIpPathTable) [FreeMibTable](https://www.google.com/search?num=5&q=FreeMibTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.FreeMibTable](https://github.com/dahall/Vanara/search?l=C%23&q=FreeMibTable) [GetAdapterIndex](https://www.google.com/search?num=5&q=GetAdapterIndex+site%3Adocs.microsoft.com) | IpHlpApi.h | [Vanara.PInvoke.IpHlpApi.GetAdapterIndex](https://github.com/dahall/Vanara/search?l=C%23&q=GetAdapterIndex) [GetAdapterOrderMap](https://www.google.com/search?num=5&q=GetAdapterOrderMap+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetAdapterOrderMap](https://github.com/dahall/Vanara/search?l=C%23&q=GetAdapterOrderMap) [GetAdaptersAddresses](https://www.google.com/search?num=5&q=GetAdaptersAddresses+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetAdaptersAddresses](https://github.com/dahall/Vanara/search?l=C%23&q=GetAdaptersAddresses) [GetAdaptersInfo](https://www.google.com/search?num=5&q=GetAdaptersInfo+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetAdaptersInfo](https://github.com/dahall/Vanara/search?l=C%23&q=GetAdaptersInfo) [GetAnycastIpAddressEntry](https://www.google.com/search?num=5&q=GetAnycastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetAnycastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetAnycastIpAddressEntry) [GetAnycastIpAddressTable](https://www.google.com/search?num=5&q=GetAnycastIpAddressTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetAnycastIpAddressTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetAnycastIpAddressTable) [GetBestInterface](https://www.google.com/search?num=5&q=GetBestInterface+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetBestInterface](https://github.com/dahall/Vanara/search?l=C%23&q=GetBestInterface) [GetBestInterfaceEx](https://www.google.com/search?num=5&q=GetBestInterfaceEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetBestInterfaceEx](https://github.com/dahall/Vanara/search?l=C%23&q=GetBestInterfaceEx) [GetBestRoute](https://www.google.com/search?num=5&q=GetBestRoute+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetBestRoute](https://github.com/dahall/Vanara/search?l=C%23&q=GetBestRoute) [GetBestRoute2](https://www.google.com/search?num=5&q=GetBestRoute2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetBestRoute2](https://github.com/dahall/Vanara/search?l=C%23&q=GetBestRoute2) [GetExtendedTcpTable](https://www.google.com/search?num=5&q=GetExtendedTcpTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetExtendedTcpTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetExtendedTcpTable) [GetExtendedUdpTable](https://www.google.com/search?num=5&q=GetExtendedUdpTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetExtendedUdpTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetExtendedUdpTable) [GetFriendlyIfIndex](https://www.google.com/search?num=5&q=GetFriendlyIfIndex+site%3Adocs.microsoft.com) | IpHlpApi.h | [Vanara.PInvoke.IpHlpApi.GetFriendlyIfIndex](https://github.com/dahall/Vanara/search?l=C%23&q=GetFriendlyIfIndex) [GetIcmpStatistics](https://www.google.com/search?num=5&q=GetIcmpStatistics+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIcmpStatistics](https://github.com/dahall/Vanara/search?l=C%23&q=GetIcmpStatistics) [GetIcmpStatisticsEx](https://www.google.com/search?num=5&q=GetIcmpStatisticsEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIcmpStatisticsEx](https://github.com/dahall/Vanara/search?l=C%23&q=GetIcmpStatisticsEx) [GetIfEntry](https://www.google.com/search?num=5&q=GetIfEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIfEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfEntry) [GetIfEntry2](https://www.google.com/search?num=5&q=GetIfEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIfEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfEntry2) [GetIfEntry2Ex](https://www.google.com/search?num=5&q=GetIfEntry2Ex+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIfEntry2Ex](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfEntry2Ex) [GetIfStackTable](https://www.google.com/search?num=5&q=GetIfStackTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIfStackTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfStackTable) [GetIfTable](https://www.google.com/search?num=5&q=GetIfTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIfTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfTable) [GetIfTable2](https://www.google.com/search?num=5&q=GetIfTable2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIfTable2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfTable2) [GetIfTable2Ex](https://www.google.com/search?num=5&q=GetIfTable2Ex+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIfTable2Ex](https://github.com/dahall/Vanara/search?l=C%23&q=GetIfTable2Ex) [GetInterfaceInfo](https://www.google.com/search?num=5&q=GetInterfaceInfo+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetInterfaceInfo](https://github.com/dahall/Vanara/search?l=C%23&q=GetInterfaceInfo) [GetInvertedIfStackTable](https://www.google.com/search?num=5&q=GetInvertedIfStackTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetInvertedIfStackTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetInvertedIfStackTable) [GetIpAddrTable](https://www.google.com/search?num=5&q=GetIpAddrTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpAddrTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpAddrTable) [GetIpErrorString](https://www.google.com/search?num=5&q=GetIpErrorString+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpErrorString](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpErrorString) [GetIpForwardEntry2](https://www.google.com/search?num=5&q=GetIpForwardEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpForwardEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpForwardEntry2) [GetIpForwardTable](https://www.google.com/search?num=5&q=GetIpForwardTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpForwardTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpForwardTable) [GetIpForwardTable2](https://www.google.com/search?num=5&q=GetIpForwardTable2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpForwardTable2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpForwardTable2) [GetIpInterfaceEntry](https://www.google.com/search?num=5&q=GetIpInterfaceEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpInterfaceEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpInterfaceEntry) [GetIpInterfaceTable](https://www.google.com/search?num=5&q=GetIpInterfaceTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpInterfaceTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpInterfaceTable) [GetIpNetEntry2](https://www.google.com/search?num=5&q=GetIpNetEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpNetEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpNetEntry2) [GetIpNetTable](https://www.google.com/search?num=5&q=GetIpNetTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpNetTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpNetTable) [GetIpNetTable2](https://www.google.com/search?num=5&q=GetIpNetTable2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpNetTable2](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpNetTable2) [GetIpNetworkConnectionBandwidthEstimates](https://www.google.com/search?num=5&q=GetIpNetworkConnectionBandwidthEstimates+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpNetworkConnectionBandwidthEstimates](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpNetworkConnectionBandwidthEstimates) [GetIpPathEntry](https://www.google.com/search?num=5&q=GetIpPathEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpPathEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpPathEntry) [GetIpPathTable](https://www.google.com/search?num=5&q=GetIpPathTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetIpPathTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpPathTable) [GetIpStatistics](https://www.google.com/search?num=5&q=GetIpStatistics+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpStatistics](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpStatistics) [GetIpStatisticsEx](https://www.google.com/search?num=5&q=GetIpStatisticsEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetIpStatisticsEx](https://github.com/dahall/Vanara/search?l=C%23&q=GetIpStatisticsEx) [GetMulticastIpAddressEntry](https://www.google.com/search?num=5&q=GetMulticastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetMulticastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetMulticastIpAddressEntry) [GetMulticastIpAddressTable](https://www.google.com/search?num=5&q=GetMulticastIpAddressTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetMulticastIpAddressTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetMulticastIpAddressTable) [GetNetworkConnectivityHint](https://www.google.com/search?num=5&q=GetNetworkConnectivityHint+site%3Adocs.microsoft.com) | | [GetNetworkConnectivityHintForInterface](https://www.google.com/search?num=5&q=GetNetworkConnectivityHintForInterface+site%3Adocs.microsoft.com) | | [GetNetworkParams](https://www.google.com/search?num=5&q=GetNetworkParams+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetNetworkParams](https://github.com/dahall/Vanara/search?l=C%23&q=GetNetworkParams) [GetNumberOfInterfaces](https://www.google.com/search?num=5&q=GetNumberOfInterfaces+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetNumberOfInterfaces](https://github.com/dahall/Vanara/search?l=C%23&q=GetNumberOfInterfaces) [GetOwnerModuleFromPidAndInfo](https://www.google.com/search?num=5&q=GetOwnerModuleFromPidAndInfo+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetOwnerModuleFromPidAndInfo](https://github.com/dahall/Vanara/search?l=C%23&q=GetOwnerModuleFromPidAndInfo) [GetOwnerModuleFromTcp6Entry](https://www.google.com/search?num=5&q=GetOwnerModuleFromTcp6Entry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetOwnerModuleFromTcp6Entry](https://github.com/dahall/Vanara/search?l=C%23&q=GetOwnerModuleFromTcp6Entry) [GetOwnerModuleFromTcpEntry](https://www.google.com/search?num=5&q=GetOwnerModuleFromTcpEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetOwnerModuleFromTcpEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetOwnerModuleFromTcpEntry) [GetOwnerModuleFromUdp6Entry](https://www.google.com/search?num=5&q=GetOwnerModuleFromUdp6Entry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetOwnerModuleFromUdp6Entry](https://github.com/dahall/Vanara/search?l=C%23&q=GetOwnerModuleFromUdp6Entry) [GetOwnerModuleFromUdpEntry](https://www.google.com/search?num=5&q=GetOwnerModuleFromUdpEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetOwnerModuleFromUdpEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetOwnerModuleFromUdpEntry) [GetPerAdapterInfo](https://www.google.com/search?num=5&q=GetPerAdapterInfo+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetPerAdapterInfo](https://github.com/dahall/Vanara/search?l=C%23&q=GetPerAdapterInfo) [GetPerTcp6ConnectionEStats](https://www.google.com/search?num=5&q=GetPerTcp6ConnectionEStats+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetPerTcp6ConnectionEStats](https://github.com/dahall/Vanara/search?l=C%23&q=GetPerTcp6ConnectionEStats) [GetPerTcpConnectionEStats](https://www.google.com/search?num=5&q=GetPerTcpConnectionEStats+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetPerTcpConnectionEStats](https://github.com/dahall/Vanara/search?l=C%23&q=GetPerTcpConnectionEStats) [GetRTTAndHopCount](https://www.google.com/search?num=5&q=GetRTTAndHopCount+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetRTTAndHopCount](https://github.com/dahall/Vanara/search?l=C%23&q=GetRTTAndHopCount) [GetTcp6Table](https://www.google.com/search?num=5&q=GetTcp6Table+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcp6Table](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcp6Table) [GetTcp6Table2](https://www.google.com/search?num=5&q=GetTcp6Table2+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcp6Table2](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcp6Table2) [GetTcpStatistics](https://www.google.com/search?num=5&q=GetTcpStatistics+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcpStatistics](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcpStatistics) [GetTcpStatisticsEx](https://www.google.com/search?num=5&q=GetTcpStatisticsEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcpStatisticsEx](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcpStatisticsEx) [GetTcpStatisticsEx2](https://www.google.com/search?num=5&q=GetTcpStatisticsEx2+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcpStatisticsEx2](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcpStatisticsEx2) [GetTcpTable](https://www.google.com/search?num=5&q=GetTcpTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcpTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcpTable) [GetTcpTable2](https://www.google.com/search?num=5&q=GetTcpTable2+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetTcpTable2](https://github.com/dahall/Vanara/search?l=C%23&q=GetTcpTable2) [GetTeredoPort](https://www.google.com/search?num=5&q=GetTeredoPort+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetTeredoPort](https://github.com/dahall/Vanara/search?l=C%23&q=GetTeredoPort) [GetUdp6Table](https://www.google.com/search?num=5&q=GetUdp6Table+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUdp6Table](https://github.com/dahall/Vanara/search?l=C%23&q=GetUdp6Table) [GetUdpStatistics](https://www.google.com/search?num=5&q=GetUdpStatistics+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUdpStatistics](https://github.com/dahall/Vanara/search?l=C%23&q=GetUdpStatistics) [GetUdpStatisticsEx](https://www.google.com/search?num=5&q=GetUdpStatisticsEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUdpStatisticsEx](https://github.com/dahall/Vanara/search?l=C%23&q=GetUdpStatisticsEx) [GetUdpStatisticsEx2](https://www.google.com/search?num=5&q=GetUdpStatisticsEx2+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUdpStatisticsEx2](https://github.com/dahall/Vanara/search?l=C%23&q=GetUdpStatisticsEx2) [GetUdpTable](https://www.google.com/search?num=5&q=GetUdpTable+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUdpTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetUdpTable) [GetUnicastIpAddressEntry](https://www.google.com/search?num=5&q=GetUnicastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetUnicastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=GetUnicastIpAddressEntry) [GetUnicastIpAddressTable](https://www.google.com/search?num=5&q=GetUnicastIpAddressTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.GetUnicastIpAddressTable](https://github.com/dahall/Vanara/search?l=C%23&q=GetUnicastIpAddressTable) [GetUniDirectionalAdapterInfo](https://www.google.com/search?num=5&q=GetUniDirectionalAdapterInfo+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.GetUniDirectionalAdapterInfo](https://github.com/dahall/Vanara/search?l=C%23&q=GetUniDirectionalAdapterInfo) [Icmp6CreateFile](https://www.google.com/search?num=5&q=Icmp6CreateFile+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.Icmp6CreateFile](https://github.com/dahall/Vanara/search?l=C%23&q=Icmp6CreateFile) [Icmp6ParseReplies](https://www.google.com/search?num=5&q=Icmp6ParseReplies+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.Icmp6ParseReplies](https://github.com/dahall/Vanara/search?l=C%23&q=Icmp6ParseReplies) [Icmp6SendEcho2](https://www.google.com/search?num=5&q=Icmp6SendEcho2+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.Icmp6SendEcho2](https://github.com/dahall/Vanara/search?l=C%23&q=Icmp6SendEcho2) [IcmpCloseHandle](https://www.google.com/search?num=5&q=IcmpCloseHandle+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpCloseHandle](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpCloseHandle) [IcmpCreateFile](https://www.google.com/search?num=5&q=IcmpCreateFile+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpCreateFile](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpCreateFile) [IcmpParseReplies](https://www.google.com/search?num=5&q=IcmpParseReplies+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpParseReplies](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpParseReplies) [IcmpSendEcho](https://www.google.com/search?num=5&q=IcmpSendEcho+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpSendEcho](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpSendEcho) [IcmpSendEcho2](https://www.google.com/search?num=5&q=IcmpSendEcho2+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpSendEcho2](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpSendEcho2) [IcmpSendEcho2Ex](https://www.google.com/search?num=5&q=IcmpSendEcho2Ex+site%3Adocs.microsoft.com) | icmpapi.h | [Vanara.PInvoke.IpHlpApi.IcmpSendEcho2Ex](https://github.com/dahall/Vanara/search?l=C%23&q=IcmpSendEcho2Ex) [if_indextoname](https://www.google.com/search?num=5&q=if_indextoname+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.if_indextoname](https://github.com/dahall/Vanara/search?l=C%23&q=if_indextoname) [if_nametoindex](https://www.google.com/search?num=5&q=if_nametoindex+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.if_nametoindex](https://github.com/dahall/Vanara/search?l=C%23&q=if_nametoindex) [InitializeIpForwardEntry](https://www.google.com/search?num=5&q=InitializeIpForwardEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.InitializeIpForwardEntry](https://github.com/dahall/Vanara/search?l=C%23&q=InitializeIpForwardEntry) [InitializeIpInterfaceEntry](https://www.google.com/search?num=5&q=InitializeIpInterfaceEntry+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.InitializeIpInterfaceEntry](https://github.com/dahall/Vanara/search?l=C%23&q=InitializeIpInterfaceEntry) [InitializeUnicastIpAddressEntry](https://www.google.com/search?num=5&q=InitializeUnicastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.InitializeUnicastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=InitializeUnicastIpAddressEntry) [IpReleaseAddress](https://www.google.com/search?num=5&q=IpReleaseAddress+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.IpReleaseAddress](https://github.com/dahall/Vanara/search?l=C%23&q=IpReleaseAddress) [IpRenewAddress](https://www.google.com/search?num=5&q=IpRenewAddress+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.IpRenewAddress](https://github.com/dahall/Vanara/search?l=C%23&q=IpRenewAddress) [LookupPersistentTcpPortReservation](https://www.google.com/search?num=5&q=LookupPersistentTcpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.LookupPersistentTcpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=LookupPersistentTcpPortReservation) [LookupPersistentUdpPortReservation](https://www.google.com/search?num=5&q=LookupPersistentUdpPortReservation+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.LookupPersistentUdpPortReservation](https://github.com/dahall/Vanara/search?l=C%23&q=LookupPersistentUdpPortReservation) [NotifyAddrChange](https://www.google.com/search?num=5&q=NotifyAddrChange+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.NotifyAddrChange](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyAddrChange) [NotifyIpInterfaceChange](https://www.google.com/search?num=5&q=NotifyIpInterfaceChange+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.NotifyIpInterfaceChange](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyIpInterfaceChange) [NotifyNetworkConnectivityHintChange](https://www.google.com/search?num=5&q=NotifyNetworkConnectivityHintChange+site%3Adocs.microsoft.com) | | [NotifyRouteChange](https://www.google.com/search?num=5&q=NotifyRouteChange+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.NotifyRouteChange](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyRouteChange) [NotifyRouteChange2](https://www.google.com/search?num=5&q=NotifyRouteChange2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.NotifyRouteChange2](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyRouteChange2) [NotifyStableUnicastIpAddressTable](https://www.google.com/search?num=5&q=NotifyStableUnicastIpAddressTable+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.NotifyStableUnicastIpAddressTable](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyStableUnicastIpAddressTable) [NotifyTeredoPortChange](https://www.google.com/search?num=5&q=NotifyTeredoPortChange+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.NotifyTeredoPortChange](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyTeredoPortChange) [NotifyUnicastIpAddressChange](https://www.google.com/search?num=5&q=NotifyUnicastIpAddressChange+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.NotifyUnicastIpAddressChange](https://github.com/dahall/Vanara/search?l=C%23&q=NotifyUnicastIpAddressChange) [ParseNetworkString](https://www.google.com/search?num=5&q=ParseNetworkString+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.ParseNetworkString](https://github.com/dahall/Vanara/search?l=C%23&q=ParseNetworkString) [ResolveIpNetEntry2](https://www.google.com/search?num=5&q=ResolveIpNetEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.ResolveIpNetEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=ResolveIpNetEntry2) [RestoreMediaSense](https://www.google.com/search?num=5&q=RestoreMediaSense+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.RestoreMediaSense](https://github.com/dahall/Vanara/search?l=C%23&q=RestoreMediaSense) [SendARP](https://www.google.com/search?num=5&q=SendARP+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SendARP](https://github.com/dahall/Vanara/search?l=C%23&q=SendARP) [SetCurrentThreadCompartmentId](https://www.google.com/search?num=5&q=SetCurrentThreadCompartmentId+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetCurrentThreadCompartmentId](https://github.com/dahall/Vanara/search?l=C%23&q=SetCurrentThreadCompartmentId) [SetIfEntry](https://www.google.com/search?num=5&q=SetIfEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIfEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetIfEntry) [SetIpForwardEntry](https://www.google.com/search?num=5&q=SetIpForwardEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIpForwardEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpForwardEntry) [SetIpForwardEntry2](https://www.google.com/search?num=5&q=SetIpForwardEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetIpForwardEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpForwardEntry2) [SetIpInterfaceEntry](https://www.google.com/search?num=5&q=SetIpInterfaceEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetIpInterfaceEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpInterfaceEntry) [SetIpNetEntry](https://www.google.com/search?num=5&q=SetIpNetEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIpNetEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpNetEntry) [SetIpNetEntry2](https://www.google.com/search?num=5&q=SetIpNetEntry2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetIpNetEntry2](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpNetEntry2) [SetIpStatistics](https://www.google.com/search?num=5&q=SetIpStatistics+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIpStatistics](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpStatistics) [SetIpStatisticsEx](https://www.google.com/search?num=5&q=SetIpStatisticsEx+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIpStatisticsEx](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpStatisticsEx) [SetIpTTL](https://www.google.com/search?num=5&q=SetIpTTL+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetIpTTL](https://github.com/dahall/Vanara/search?l=C%23&q=SetIpTTL) [SetNetworkInformation](https://www.google.com/search?num=5&q=SetNetworkInformation+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetNetworkInformation](https://github.com/dahall/Vanara/search?l=C%23&q=SetNetworkInformation) [SetPerTcp6ConnectionEStats](https://www.google.com/search?num=5&q=SetPerTcp6ConnectionEStats+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetPerTcp6ConnectionEStats](https://github.com/dahall/Vanara/search?l=C%23&q=SetPerTcp6ConnectionEStats) [SetPerTcpConnectionEStats](https://www.google.com/search?num=5&q=SetPerTcpConnectionEStats+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetPerTcpConnectionEStats](https://github.com/dahall/Vanara/search?l=C%23&q=SetPerTcpConnectionEStats) [SetSessionCompartmentId](https://www.google.com/search?num=5&q=SetSessionCompartmentId+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetSessionCompartmentId](https://github.com/dahall/Vanara/search?l=C%23&q=SetSessionCompartmentId) [SetTcpEntry](https://www.google.com/search?num=5&q=SetTcpEntry+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.SetTcpEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetTcpEntry) [SetUnicastIpAddressEntry](https://www.google.com/search?num=5&q=SetUnicastIpAddressEntry+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.SetUnicastIpAddressEntry](https://github.com/dahall/Vanara/search?l=C%23&q=SetUnicastIpAddressEntry) [UnenableRouter](https://www.google.com/search?num=5&q=UnenableRouter+site%3Adocs.microsoft.com) | iphlpapi.h | [Vanara.PInvoke.IpHlpApi.UnenableRouter](https://github.com/dahall/Vanara/search?l=C%23&q=UnenableRouter) ### Structures Native Structure | Header | Managed Structure --- | --- | --- [FIXED_INFO](https://www.google.com/search?num=5&q=FIXED_INFO+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.FIXED_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=FIXED_INFO) [IF_COUNTED_STRING](https://www.google.com/search?num=5&q=IF_COUNTED_STRING+site%3Adocs.microsoft.com) | ifdef.h | [Vanara.PInvoke.IpHlpApi.IF_COUNTED_STRING](https://github.com/dahall/Vanara/search?l=C%23&q=IF_COUNTED_STRING) [IF_PHYSICAL_ADDRESS](https://www.google.com/search?num=5&q=IF_PHYSICAL_ADDRESS+site%3Adocs.microsoft.com) | ifdef.h | [Vanara.PInvoke.IpHlpApi.IF_PHYSICAL_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IF_PHYSICAL_ADDRESS) [IO_STATUS_BLOCK](https://www.google.com/search?num=5&q=IO_STATUS_BLOCK+site%3Adocs.microsoft.com) | wdm.h | [Vanara.PInvoke.IpHlpApi.IO_STATUS_BLOCK](https://github.com/dahall/Vanara/search?l=C%23&q=IO_STATUS_BLOCK) [IP_ADAPTER_ADDRESSES](https://www.google.com/search?num=5&q=IP_ADAPTER_ADDRESSES+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_ADDRESSES](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_ADDRESSES) [IP_ADAPTER_ANYCAST_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_ANYCAST_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_ANYCAST_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_ANYCAST_ADDRESS) [IP_ADAPTER_DNS_SERVER_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_DNS_SERVER_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_DNS_SERVER_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_DNS_SERVER_ADDRESS) [IP_ADAPTER_DNS_SUFFIX](https://www.google.com/search?num=5&q=IP_ADAPTER_DNS_SUFFIX+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_DNS_SUFFIX](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_DNS_SUFFIX) [IP_ADAPTER_GATEWAY_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_GATEWAY_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_GATEWAY_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_GATEWAY_ADDRESS) [IP_ADAPTER_INDEX_MAP](https://www.google.com/search?num=5&q=IP_ADAPTER_INDEX_MAP+site%3Adocs.microsoft.com) | ipexport.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_INDEX_MAP](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_INDEX_MAP) [IP_ADAPTER_INFO](https://www.google.com/search?num=5&q=IP_ADAPTER_INFO+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_INFO) [IP_ADAPTER_MULTICAST_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_MULTICAST_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_MULTICAST_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_MULTICAST_ADDRESS) [IP_ADAPTER_PREFIX](https://www.google.com/search?num=5&q=IP_ADAPTER_PREFIX+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_PREFIX](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_PREFIX) [IP_ADAPTER_UNICAST_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_UNICAST_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_UNICAST_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_UNICAST_ADDRESS) [IP_ADAPTER_WINS_SERVER_ADDRESS](https://www.google.com/search?num=5&q=IP_ADAPTER_WINS_SERVER_ADDRESS+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADAPTER_WINS_SERVER_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADAPTER_WINS_SERVER_ADDRESS) [IP_ADDR_STRING](https://www.google.com/search?num=5&q=IP_ADDR_STRING+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADDR_STRING](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADDR_STRING) [IP_ADDRESS_PREFIX](https://www.google.com/search?num=5&q=IP_ADDRESS_PREFIX+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.IP_ADDRESS_PREFIX](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADDRESS_PREFIX) [IP_ADDRESS_STRING](https://www.google.com/search?num=5&q=IP_ADDRESS_STRING+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_ADDRESS_STRING](https://github.com/dahall/Vanara/search?l=C%23&q=IP_ADDRESS_STRING) [IP_INTERFACE_NAME_INFO](https://www.google.com/search?num=5&q=IP_INTERFACE_NAME_INFO+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_INTERFACE_NAME_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=IP_INTERFACE_NAME_INFO) [IP_OPTION_INFORMATION](https://www.google.com/search?num=5&q=IP_OPTION_INFORMATION+site%3Adocs.microsoft.com) | ipexport.h | [Vanara.PInvoke.IpHlpApi.IP_OPTION_INFORMATION](https://github.com/dahall/Vanara/search?l=C%23&q=IP_OPTION_INFORMATION) [IP_PER_ADAPTER_INFO](https://www.google.com/search?num=5&q=IP_PER_ADAPTER_INFO+site%3Adocs.microsoft.com) | iptypes.h | [Vanara.PInvoke.IpHlpApi.IP_PER_ADAPTER_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=IP_PER_ADAPTER_INFO) [MIB_ANYCASTIPADDRESS_ROW](https://www.google.com/search?num=5&q=MIB_ANYCASTIPADDRESS_ROW+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_ANYCASTIPADDRESS_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_ANYCASTIPADDRESS_ROW) [MIB_ICMP](https://www.google.com/search?num=5&q=MIB_ICMP+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_ICMP](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_ICMP) [MIB_ICMP_EX](https://www.google.com/search?num=5&q=MIB_ICMP_EX+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_ICMP_EX](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_ICMP_EX) [MIB_IF_ROW2](https://www.google.com/search?num=5&q=MIB_IF_ROW2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IF_ROW2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IF_ROW2) [MIB_IFROW](https://www.google.com/search?num=5&q=MIB_IFROW+site%3Adocs.microsoft.com) | ifmib.h | [Vanara.PInvoke.IpHlpApi.MIB_IFROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IFROW) [MIB_IFSTACK_ROW](https://www.google.com/search?num=5&q=MIB_IFSTACK_ROW+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IFSTACK_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IFSTACK_ROW) [MIB_INVERTEDIFSTACK_ROW](https://www.google.com/search?num=5&q=MIB_INVERTEDIFSTACK_ROW+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_INVERTEDIFSTACK_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_INVERTEDIFSTACK_ROW) [MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES](https://www.google.com/search?num=5&q=MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES) [MIB_IPADDRROW](https://www.google.com/search?num=5&q=MIB_IPADDRROW+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_IPADDRROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPADDRROW) [MIB_IPFORWARD_ROW2](https://www.google.com/search?num=5&q=MIB_IPFORWARD_ROW2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IPFORWARD_ROW2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPFORWARD_ROW2) [MIB_IPFORWARDROW](https://www.google.com/search?num=5&q=MIB_IPFORWARDROW+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_IPFORWARDROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPFORWARDROW) [MIB_IPINTERFACE_ROW](https://www.google.com/search?num=5&q=MIB_IPINTERFACE_ROW+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IPINTERFACE_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPINTERFACE_ROW) [MIB_IPNET_ROW2](https://www.google.com/search?num=5&q=MIB_IPNET_ROW2+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IPNET_ROW2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPNET_ROW2) [MIB_IPNETROW](https://www.google.com/search?num=5&q=MIB_IPNETROW+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_IPNETROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPNETROW) [MIB_IPPATH_ROW](https://www.google.com/search?num=5&q=MIB_IPPATH_ROW+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_IPPATH_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPPATH_ROW) [MIB_IPSTATS](https://www.google.com/search?num=5&q=MIB_IPSTATS+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIB_IPSTATS](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_IPSTATS) [MIB_MULTICASTIPADDRESS_ROW](https://www.google.com/search?num=5&q=MIB_MULTICASTIPADDRESS_ROW+site%3Adocs.microsoft.com) | Netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_MULTICASTIPADDRESS_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_MULTICASTIPADDRESS_ROW) [MIB_TCP6ROW](https://www.google.com/search?num=5&q=MIB_TCP6ROW+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCP6ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCP6ROW) [MIB_TCP6ROW_OWNER_MODULE](https://www.google.com/search?num=5&q=MIB_TCP6ROW_OWNER_MODULE+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCP6ROW_OWNER_MODULE](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCP6ROW_OWNER_MODULE) [MIB_TCP6ROW_OWNER_PID](https://www.google.com/search?num=5&q=MIB_TCP6ROW_OWNER_PID+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCP6ROW_OWNER_PID](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCP6ROW_OWNER_PID) [MIB_TCP6ROW2](https://www.google.com/search?num=5&q=MIB_TCP6ROW2+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCP6ROW2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCP6ROW2) [MIB_TCPROW](https://www.google.com/search?num=5&q=MIB_TCPROW+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPROW) [MIB_TCPROW_OWNER_MODULE](https://www.google.com/search?num=5&q=MIB_TCPROW_OWNER_MODULE+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPROW_OWNER_MODULE](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPROW_OWNER_MODULE) [MIB_TCPROW_OWNER_PID](https://www.google.com/search?num=5&q=MIB_TCPROW_OWNER_PID+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPROW_OWNER_PID](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPROW_OWNER_PID) [MIB_TCPROW2](https://www.google.com/search?num=5&q=MIB_TCPROW2+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPROW2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPROW2) [MIB_TCPSTATS](https://www.google.com/search?num=5&q=MIB_TCPSTATS+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPSTATS](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPSTATS) [MIB_TCPSTATS2](https://www.google.com/search?num=5&q=MIB_TCPSTATS2+site%3Adocs.microsoft.com) | tcpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_TCPSTATS2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_TCPSTATS2) [MIB_UDP6ROW](https://www.google.com/search?num=5&q=MIB_UDP6ROW+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDP6ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDP6ROW) [MIB_UDP6ROW_OWNER_MODULE](https://www.google.com/search?num=5&q=MIB_UDP6ROW_OWNER_MODULE+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDP6ROW_OWNER_MODULE](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDP6ROW_OWNER_MODULE) [MIB_UDP6ROW_OWNER_PID](https://www.google.com/search?num=5&q=MIB_UDP6ROW_OWNER_PID+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDP6ROW_OWNER_PID](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDP6ROW_OWNER_PID) [MIB_UDPROW](https://www.google.com/search?num=5&q=MIB_UDPROW+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDPROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDPROW) [MIB_UDPROW_OWNER_MODULE](https://www.google.com/search?num=5&q=MIB_UDPROW_OWNER_MODULE+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDPROW_OWNER_MODULE](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDPROW_OWNER_MODULE) [MIB_UDPROW_OWNER_PID](https://www.google.com/search?num=5&q=MIB_UDPROW_OWNER_PID+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDPROW_OWNER_PID](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDPROW_OWNER_PID) [MIB_UDPSTATS](https://www.google.com/search?num=5&q=MIB_UDPSTATS+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDPSTATS](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDPSTATS) [MIB_UDPSTATS2](https://www.google.com/search?num=5&q=MIB_UDPSTATS2+site%3Adocs.microsoft.com) | udpmib.h | [Vanara.PInvoke.IpHlpApi.MIB_UDPSTATS2](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UDPSTATS2) [MIB_UNICASTIPADDRESS_ROW](https://www.google.com/search?num=5&q=MIB_UNICASTIPADDRESS_ROW+site%3Adocs.microsoft.com) | netioapi.h | [Vanara.PInvoke.IpHlpApi.MIB_UNICASTIPADDRESS_ROW](https://github.com/dahall/Vanara/search?l=C%23&q=MIB_UNICASTIPADDRESS_ROW) [MIBICMPINFO](https://www.google.com/search?num=5&q=MIBICMPINFO+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIBICMPINFO](https://github.com/dahall/Vanara/search?l=C%23&q=MIBICMPINFO) [MIBICMPSTATS](https://www.google.com/search?num=5&q=MIBICMPSTATS+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIBICMPSTATS](https://github.com/dahall/Vanara/search?l=C%23&q=MIBICMPSTATS) [MIBICMPSTATS_EX](https://www.google.com/search?num=5&q=MIBICMPSTATS_EX+site%3Adocs.microsoft.com) | ipmib.h | [Vanara.PInvoke.IpHlpApi.MIBICMPSTATS_EX](https://github.com/dahall/Vanara/search?l=C%23&q=MIBICMPSTATS_EX) [NAMEDADDRESS](https://www.google.com/search?num=5&q=NAMEDADDRESS+site%3Adocs.microsoft.com) | | [Vanara.PInvoke.IpHlpApi.NET_ADDRESS_INFO.NAMEDADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=NAMEDADDRESS) [NDIS_INTERFACE_INFORMATION](https://www.google.com/search?num=5&q=NDIS_INTERFACE_INFORMATION+site%3Adocs.microsoft.com) | ifdef.h | [Vanara.PInvoke.IpHlpApi.NDIS_INTERFACE_INFORMATION](https://github.com/dahall/Vanara/search?l=C%23&q=NDIS_INTERFACE_INFORMATION) [NET_ADDRESS_INFO](https://www.google.com/search?num=5&q=NET_ADDRESS_INFO+site%3Adocs.microsoft.com) | IpHlpApi.h | [Vanara.PInvoke.IpHlpApi.NET_ADDRESS_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=NET_ADDRESS_INFO) [NET_IF_ALIAS](https://www.google.com/search?num=5&q=NET_IF_ALIAS+site%3Adocs.microsoft.com) | ifdef.h | [Vanara.PInvoke.IpHlpApi.NET_IF_ALIAS](https://github.com/dahall/Vanara/search?l=C%23&q=NET_IF_ALIAS) [NET_IF_RCV_ADDRESS](https://www.google.com/search?num=5&q=NET_IF_RCV_ADDRESS+site%3Adocs.microsoft.com) | ifdef.h | [Vanara.PInvoke.IpHlpApi.NET_IF_RCV_ADDRESS](https://github.com/dahall/Vanara/search?l=C%23&q=NET_IF_RCV_ADDRESS) [NET_LUID](https://www.google.com/search?num=5&q=NET_LUID+site%3Adocs.microsoft.com) | Ifdef.h | [Vanara.PInvoke.IpHlpApi.NET_LUID](https://github.com/dahall/Vanara/search?l=C%23&q=NET_LUID) [NET_PHYSICAL_LOCATION](https://www.google.com/search?num=5&q=NET_PHYSICAL_LOCATION+site%3Adocs.microsoft.com) | Ifdef.h | [Vanara.PInvoke.IpHlpApi.NET_PHYSICAL_LOCATION](https://github.com/dahall/Vanara/search?l=C%23&q=NET_PHYSICAL_LOCATION) [NL_BANDWIDTH_INFORMATION](https://www.google.com/search?num=5&q=NL_BANDWIDTH_INFORMATION+site%3Adocs.microsoft.com) | nldef.h | [Vanara.PInvoke.IpHlpApi.NL_BANDWIDTH_INFORMATION](https://github.com/dahall/Vanara/search?l=C%23&q=NL_BANDWIDTH_INFORMATION) [NL_INTERFACE_OFFLOAD_ROD](https://www.google.com/search?num=5&q=NL_INTERFACE_OFFLOAD_ROD+site%3Adocs.microsoft.com) | nldef.h | [Vanara.PInvoke.IpHlpApi.NL_INTERFACE_OFFLOAD_ROD](https://github.com/dahall/Vanara/search?l=C%23&q=NL_INTERFACE_OFFLOAD_ROD) [TCP_ESTATS_BANDWIDTH_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_BANDWIDTH_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_BANDWIDTH_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_BANDWIDTH_ROD_v0) [TCP_ESTATS_BANDWIDTH_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_BANDWIDTH_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_BANDWIDTH_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_BANDWIDTH_RW_v0) [TCP_ESTATS_DATA_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_DATA_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_DATA_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_DATA_ROD_v0) [TCP_ESTATS_DATA_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_DATA_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_DATA_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_DATA_RW_v0) [TCP_ESTATS_FINE_RTT_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_FINE_RTT_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_FINE_RTT_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_FINE_RTT_ROD_v0) [TCP_ESTATS_FINE_RTT_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_FINE_RTT_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_FINE_RTT_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_FINE_RTT_RW_v0) [TCP_ESTATS_OBS_REC_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_OBS_REC_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_OBS_REC_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_OBS_REC_ROD_v0) [TCP_ESTATS_OBS_REC_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_OBS_REC_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_OBS_REC_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_OBS_REC_RW_v0) [TCP_ESTATS_PATH_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_PATH_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_PATH_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_PATH_ROD_v0) [TCP_ESTATS_PATH_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_PATH_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_PATH_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_PATH_RW_v0) [TCP_ESTATS_REC_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_REC_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_REC_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_REC_ROD_v0) [TCP_ESTATS_REC_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_REC_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_REC_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_REC_RW_v0) [TCP_ESTATS_SEND_BUFF_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SEND_BUFF_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SEND_BUFF_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SEND_BUFF_ROD_v0) [TCP_ESTATS_SEND_BUFF_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SEND_BUFF_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SEND_BUFF_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SEND_BUFF_RW_v0) [TCP_ESTATS_SND_CONG_ROD_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SND_CONG_ROD_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SND_CONG_ROD_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SND_CONG_ROD_v0) [TCP_ESTATS_SND_CONG_ROS_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SND_CONG_ROS_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SND_CONG_ROS_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SND_CONG_ROS_v0) [TCP_ESTATS_SND_CONG_RW_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SND_CONG_RW_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SND_CONG_RW_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SND_CONG_RW_v0) [TCP_ESTATS_SYN_OPTS_ROS_v0](https://www.google.com/search?num=5&q=TCP_ESTATS_SYN_OPTS_ROS_v0+site%3Adocs.microsoft.com) | tcpestats.h | [Vanara.PInvoke.IpHlpApi.TCP_ESTATS_SYN_OPTS_ROS_v0](https://github.com/dahall/Vanara/search?l=C%23&q=TCP_ESTATS_SYN_OPTS_ROS_v0) [TCPIP_OWNER_MODULE_BASIC_INFO](https://www.google.com/search?num=5&q=TCPIP_OWNER_MODULE_BASIC_INFO+site%3Adocs.microsoft.com) | iprtrmib.h | [Vanara.PInvoke.IpHlpApi.TCPIP_OWNER_MODULE_BASIC_INFO](https://github.com/dahall/Vanara/search?l=C%23&q=TCPIP_OWNER_MODULE_BASIC_INFO) [TCPIP_OWNER_MODULE_BASIC_INFO_UNMGD](https://www.google.com/search?num=5&q=TCPIP_OWNER_MODULE_BASIC_INFO_UNMGD+site%3Adocs.microsoft.com) | iprtrmib.h | [Vanara.PInvoke.IpHlpApi.TCPIP_OWNER_MODULE_BASIC_INFO_UNMGD](https://github.com/dahall/Vanara/search?l=C%23&q=TCPIP_OWNER_MODULE_BASIC_INFO_UNMGD)
233.486275
343
0.804481
yue_Hant
0.776904
8b0bb43ee79d83f5097cb1c5fc40792887b19813
36
md
Markdown
README.md
valitydev/wb-list-manager
a790a3b7a5e3d393eb058fa8e4d6b134fa0df9d1
[ "Apache-2.0" ]
1
2021-12-01T08:04:21.000Z
2021-12-01T08:04:21.000Z
README.md
rbkmoney/wb-list-manager
7b8756e6ca9fc9a5eab35d09b587654ff87fcc1d
[ "Apache-2.0" ]
2
2021-06-20T07:20:24.000Z
2021-09-30T15:02:31.000Z
README.md
valitydev/wb-list-manager
a790a3b7a5e3d393eb058fa8e4d6b134fa0df9d1
[ "Apache-2.0" ]
3
2021-12-01T08:04:24.000Z
2022-02-17T07:54:51.000Z
# wb-list-manager wb-list-manager.
9
17
0.722222
pol_Latn
0.344455
8b0bfbb32fdd069cad2206e89a6b6234cb905977
9,307
md
Markdown
source/includes/camera_providers.md
blewjy/slate
c10a736779759237c97383e968e4c40d3d8b1385
[ "Apache-2.0" ]
null
null
null
source/includes/camera_providers.md
blewjy/slate
c10a736779759237c97383e968e4c40d3d8b1385
[ "Apache-2.0" ]
null
null
null
source/includes/camera_providers.md
blewjy/slate
c10a736779759237c97383e968e4c40d3d8b1385
[ "Apache-2.0" ]
null
null
null
## Camera Providers Camera providers are companies/brands that supply cameras to consumers. The Fleet APIs allow you to manage your company's camera providers, with each `camera_provider` object having the following properties: | Property | Type | Description | | -------------------- | ------ | ------------------------------------ | | `name` | String | Name of the camera provider | | `camera_provider_id` | String | A unique camera provider ID | | `brand` | String | Brand name of the camera provider | | `country` | String | Country of origin of camera provider | ### Get all camera providers > Code samples ```ruby require 'rest-client' require 'json' headers = { 'Accept' => 'application/json' } result = RestClient.get 'https://api.garuda.io/v2/fleet/camera-providers', params: { }, headers: headers p JSON.parse(result) ``` ```python import requests headers = { 'Accept': 'application/json' } r = requests.get('https://api.garuda.io/v2/fleet/camera-providers', params={ }, headers = headers) print r.json() ``` ```shell curl -X GET 'https://api.garuda.io/v2/fleet/camera-providers' \ -H 'Authorization: Bearer <AUTH_TOKEN>' \ -H 'X-API-Key: <API_KEY>' \ ``` ```javascript const fetch = require('node-fetch'); const headers = { 'Accept':'application/json' }; fetch('https://api.garuda.io/v2/fleet/camera-providers', { method: 'GET', headers: headers }) .then(function(res) { return res.json(); }).then(function(body) { console.log(body); }); ``` > 200 Response ```json { "success": true, "data": [ { "name": "GoPro, Inc.", "camera_provider_id": "6811b8e899b9e7207775390d9664181b", "brand": "GoPro", "country": "USA" } ] } ``` `GET /fleet/camera-providers` Get all cameras providers belonging to the company of the user. The response returns an array of all the `camera_provider` objects that belong to your company. <div></div> ### Create new camera provider > Code samples ```ruby require 'rest-client' require 'json' headers = { 'Content-Type' => 'application/json', 'Accept' => 'application/json' } result = RestClient.post 'https://api.garuda.io/v2/fleet/camera-providers', params: { }, headers: headers p JSON.parse(result) ``` ```python import requests headers = { 'Content-Type': 'application/json', 'Accept': 'application/json' } r = requests.post('https://api.garuda.io/v2/fleet/camera-providers', params={ }, headers = headers) print r.json() ``` ```shell curl -X POST 'https://api.garuda.io/v2/fleet/cameras-providers' \ -H 'Authorization: Bearer <AUTH_TOKEN>' \ -H 'X-API-Key: <API_KEY>' \ -d '{ "name": "GoPro, Inc.", "brand": "GoPro", "country": "USA" }' ``` ```javascript const fetch = require('node-fetch'); const inputBody = '{ "name": "GoPro, Inc.", "brand": "GoPro", "country": "USA" }'; const headers = { 'Content-Type':'application/json', 'Accept':'application/json' }; fetch('https://api.garuda.io/v2/fleet/camera-providers', { method: 'POST', body: inputBody, headers: headers }) .then(function(res) { return res.json(); }).then(function(body) { console.log(body); }); ``` > 200 Response ```json { "success": true, "data": { "name": "GoPro, Inc.", "camera_provider_id": "6811b8e899b9e7207775390d9664181b", "brand": "GoPro", "country": "USA" } } ``` `POST /fleet/camera-providers` Create a new camera provider belonging to the company of the user. For this `POST` method, all the following fields are required in the request body for a successful call: | Property | Type | Description | | --------- | ------ | ------------------------------------ | | `name` | String | Name of the camera provider | | `brand` | String | Brand name of the camera provider | | `country` | String | Country of origin of camera provider | A `camera provider` that has been successfully created will return a response with a `"success": true` body and a `200 OK` status. ### Get a camera provider > Code samples ```ruby require 'rest-client' require 'json' headers = { 'Accept' => 'application/json' } result = RestClient.get 'https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params: { }, headers: headers p JSON.parse(result) ``` ```python import requests headers = { 'Accept': 'application/json' } r = requests.get('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params={ }, headers = headers) print r.json() ``` ```shell curl -X GET 'https://api.garuda.io/v2/fleet/cameras-providers/{camera_provider_id}' \ -H 'Authorization: Bearer <AUTH_TOKEN>' \ -H 'X-API-Key: <API_KEY>' \ ``` ```javascript const fetch = require('node-fetch'); const headers = { 'Accept':'application/json' }; fetch('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', { method: 'GET', headers: headers }) .then(function(res) { return res.json(); }).then(function(body) { console.log(body); }); ``` > 200 Response ```json { "success": true, "data": { "name": "GoPro, Inc.", "camera_provider_id": "6811b8e899b9e7207775390d9664181b", "brand": "GoPro", "country": "USA" } } ``` `GET /fleet/camera-providers/{camera_provider_id}` Get a specific camera provider belonging the company of the user. <div></div> ### Update a camera provider > Code samples ```ruby require 'rest-client' require 'json' headers = { 'Content-Type' => 'application/json', 'Accept' => 'application/json' } result = RestClient.patch 'https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params: { }, headers: headers p JSON.parse(result) ``` ```python import requests headers = { 'Content-Type': 'application/json', 'Accept': 'application/json' } r = requests.patch('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params={ }, headers = headers) print r.json() ``` ```shell curl -X PATCH 'https://api.garuda.io/v2/fleet/cameras-providers/{camera_provider_id}' \ -H 'Authorization: Bearer <AUTH_TOKEN>' \ -H 'X-API-Key: <API_KEY>' \ -d '{ "brand": "GoPro (Singapore)", "country": "Singapore" }' ``` ```javascript const fetch = require('node-fetch'); const inputBody = '{ "brand": "GoPro (Singapore)", "country": "Singapore" }'; const headers = { 'Content-Type':'application/json', 'Accept':'application/json' }; fetch('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', { method: 'PATCH', body: inputBody, headers: headers }) .then(function(res) { return res.json(); }).then(function(body) { console.log(body); }); ``` > 200 Response ```json { "success": true, "data": { "name": "GoPro, Inc.", "camera_provider_id": "6811b8e899b9e7207775390d9664181b", "brand": "GoPro (Singapore)", "country": "Singapore" } } ``` `PATCH /fleet/camera-providers/{camera_provider_id}` Update a specific camera provider belonging the company of the user. For this endpoint, all the fields are optional: | Property | Type | Description | | --------- | ------ | ------------------------------------ | | `name` | String | Name of the camera provider | | `brand` | String | Brand name of the camera provider | | `country` | String | Country of origin of camera provider | A camera provider that has been successfully updated will return a response with a `"success": true` body and a `200 OK` status. Response body will also contain the updated `camera_provider` object. <div></div> ### Delete a camera provider > Code samples ```ruby require 'rest-client' require 'json' headers = { 'Accept' => 'application/json' } result = RestClient.delete 'https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params: { }, headers: headers p JSON.parse(result) ``` ```python import requests headers = { 'Accept': 'application/json' } r = requests.delete('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', params={ }, headers = headers) print r.json() ``` ```shell curl -X DELETE 'https://api.garuda.io/v2/fleet/cameras-providers/{camera_provider_id}' \ -H 'Authorization: Bearer <AUTH_TOKEN>' \ -H 'X-API-Key: <API_KEY>' \ ``` ```javascript const fetch = require('node-fetch'); const headers = { 'Accept':'application/json' }; fetch('https://api.garuda.io/v2/fleet/camera-providers/{camera_provider_id}', { method: 'DELETE', headers: headers }) .then(function(res) { return res.json(); }).then(function(body) { console.log(body); }); ``` > 200 Response ```json { "success": true, "data": { "name": "GoPro, Inc.", "camera_provider_id": "6811b8e899b9e7207775390d9664181b", "brand": "GoPro", "country": "USA" } } ``` `DELETE /fleet/camera-providers/{camera_provider_id}` Delete a specific camera provider belonging to the company of the user. A valid `camera_provider_id` in the path parameter is required for a successful call. A successful deletion will return a `200 OK` status and the deleted `camera_provider` object in the response body. <div></div>
20.05819
207
0.635865
eng_Latn
0.548803
8b0c97779f1f94c338e05d462cdf156b34a3e362
4,695
md
Markdown
traduction/fr_system_overview.md
ssm2017/hubs-tutos
d113a52088314a546c83dba27e23497274321587
[ "CC0-1.0" ]
1
2021-01-04T17:55:54.000Z
2021-01-04T17:55:54.000Z
traduction/fr_system_overview.md
ssm2017/hubs-tutos
d113a52088314a546c83dba27e23497274321587
[ "CC0-1.0" ]
null
null
null
traduction/fr_system_overview.md
ssm2017/hubs-tutos
d113a52088314a546c83dba27e23497274321587
[ "CC0-1.0" ]
null
null
null
source : https://hubs.mozilla.com/docs/system-overview.html (Depuis Discord) Notre topologie réseau est un peu bizarre. Nous avons deux services backend impliqués dans les communications utilisateur-utilisateur. Un est reticulum qui est un reseau maillé de noeuds erlang/elixir/phienix et qui est responsable de tout le traffic non voix/audio/video entre les utilisateurs. Quand vous vous connectez à une salle, vous vous connectez par websockets à un noeud d'equilibrage de charge de ce maillage et les messages sont relayés entre tous les utilisateurs dans cette pièce à travers le maillage par un systeme de pub/sub appelé les canaux phoenix. Entre temps, pour la voix et la video, vous êtes aussi connecté à un node partagé SFU exécutant Janus et notre plugin Janus (donc tous les utilisateurs sont connectés dans une salle au même noeud physique pour le relais de la voix/video). Il n'y a pas de trafic p2p. Tout ce qui est opérationnel est capturé dans notre dépot ops. Notre réseau de jeu lui même est implémenté en utilisant la librairie networked-aframe. Actuellement, les autorisations et autentifications sont forcées dans un sous ensemble de messages tres petits comme le raccordement ou l'ejection mais la possibilité existe de faire des autorisations au niveau du message. Toutefois toute la simulation est faite coté client -- il n'y a pas de simulation coté serveur de quelque sorte que ce soit (comme la physique) -- les serveurs sont basiquement juste un bus de messages que les clients utilisent et qui font de legeres modifications et autorisations aux messages tout au long du processus avant d'etre distribué à tous les participants. Des choses comme la propriété des objets et autre choses incidentes concernant l'orchestration de l'expérience in-game entre les pairs est entièrement basé sur l'implémentation du protocole client. Pour l'etat persistant, nous ne faisons rien de fantaisiste. Nous avons une base de données postgresql derriere reticulum et un systeme de fichiers pour les deux methodes de stockage durable. Reticulum gère les deux et quand vous mettez à jour un état permanent de salle, epinglez des objets, etc... vous interférez avec les API dans reticulum pour mettre à jour les bits sur ces deux stockages. Notre sérialisation reseau est... quelque peu embarassante.... JSON. (et quelque part remarquable quand on considere que cela fonctionne bien en pratique actuellement) Tous les assets sont stockés dans le systeme de fichiers et chiffrés avec une clef à utilisation unique. Les fichiers sont servis par reticulum qui est devancé par un CDN pour le cache. Entre parentheses, nous utilisons EFS sur AWS pour le systeme de fichiers mais cette approche est bonne par le fait que cela ne couple pas le service avec un autre service AWS. Actuellement, nous avons un seul couplage tendu AWS -- le nouveau service de screenshots qui est un script lambda qui est utilisé pour générer les miniatures quand vous posez une url arbitraire dans hubs. Aussi, tous nos scripts admin terraform sont basés sur AWS mais le code en lui même ne nécessite pas (par exemple) de service AWS pour fonctionner et ne necessitent pas non plus de créditer AWS. Nous exécutons une simulation de physique "réelle" sur chaque client et la majeure différence entre les clients est que chaque client est responsable de la simulation de chaque objet qu'on lui donne plutot que de recevoir des messages pour cet objet. Nous avons un algorithme basique de transfert de propriété qui est responsable de la convergence vers un propriétaire (faites remonter les bugs :)) Il peut y avoir de courtes périodes pendant lesquelles il peut y avoir un conflit car la propriété devrait converger sur tous les clients pour un objet donné. Toutefois, notre implémentation réseau n'est pas élaborée pour des cas d'utilisation comme votre FPS préféré ou des mecaniques de jeu sensibles -- je serais bien surpris si quelqu'un pouvait obtenir un jeu basique comme cela avec hubs mais vous ne voudriez pas le voir en competition 😃 Par exemple, nos clients ne sont pas pour l'adversité et sont (généralement) confiants entre eux -- une supposition saine pour notre cas d'utilisation est celle pendant laquelle vous partagez déjà des liens de salles avec des personnes de confiance (et la faille dans un client hacké esssayant d'effectuer des abus, vous avez la possibilité de l'éjecter etc...) tandis que pour les jeux typiques un client hacké est souvent déguisé pour paraitre comme les autres personnes excepté le fait qu'il a certains avantages sur les autres, etc... nous n'élaborrons pas de médiation pour ce genre de choses car il n'y a pas de concept de "game advantage" dans hubs etc.
276.176471
1,504
0.810437
fra_Latn
0.995879
8b0dd803385f631115775ae02a9240dd9e78115a
476
md
Markdown
README.md
JaredAhaza/Pig-Dice
45687af73d37101292eb54eb23253f2bfd4f35ca
[ "MIT" ]
null
null
null
README.md
JaredAhaza/Pig-Dice
45687af73d37101292eb54eb23253f2bfd4f35ca
[ "MIT" ]
null
null
null
README.md
JaredAhaza/Pig-Dice
45687af73d37101292eb54eb23253f2bfd4f35ca
[ "MIT" ]
null
null
null
PIG Dice ---------- AUTHOR: Jared Ahaza ------------- Description of the project ---- This project is a game of pig dice. It has two participants who roll the dice in turns and the first one to score a hundred wins the game. -------------- Languages used ---------------- I used html, css and javascript in designing and writing the project. ----- Here is the link to github: https://github.com/JaredAhaza/Pig-Dice.git ---------------- ----- copyright (c) 2018 = JARED AHAZA
26.444444
138
0.634454
eng_Latn
0.987631
8b0def7eb9bef55449caffe07f7641dba99e703a
1,297
md
Markdown
README.md
thewhiteninja/radioblog-downloader
f5f9b429ceb5a17adf991b3bf2abe52fd28357cd
[ "MIT" ]
1
2020-03-31T03:42:09.000Z
2020-03-31T03:42:09.000Z
README.md
jcconvenant/radioblog-downloader
f5f9b429ceb5a17adf991b3bf2abe52fd28357cd
[ "MIT" ]
null
null
null
README.md
jcconvenant/radioblog-downloader
f5f9b429ceb5a17adf991b3bf2abe52fd28357cd
[ "MIT" ]
1
2020-03-31T03:42:10.000Z
2020-03-31T03:42:10.000Z
# RadioBlog Downloader <div> <!-- Stability --> <a href="https://nodejs.org/api/documentation.html#documentation_stability_index"> <img src="https://img.shields.io/badge/stability-experimental-orange.svg?style=flat-square" alt="API stability" /> </a> <!-- Standard --> <a href="https://img.shields.io/badge"> <img src="https://img.shields.io/badge/Language-Delphi-brightgreen.svg" alt="Delphi" /> </a> </div> <br /> A tool to download music (mp3) from [radioblogclub.fr](http://www.radioblogclub.fr). RadioBlogClub was closed in 2009 because it was not so legal ... :smirk: The tool scraped the search result from the website and download the files. Contrary to most methods to get the music files at that time (get the file from the Internet cache), I found that adding a 16 bytes value in hexadecimal (MD5 hash ?) to the download URL is enough to download the files directly. :grinning: I'm probably not the only one to spot this value at that time ... Here is the value :point_right: 657ecb3231ac0b275497d4d6f00b61a1 :flushed: Date: around 2008 ## Compilation Compile the Ressources.rc file first by running "Compile Ressources.bat". Then compile the project as usual. ## Example <p align="center"> <img alt="screenshot" src="screenshot.png"> </p>
30.162791
106
0.723207
eng_Latn
0.934952
8b0e316429f6b514296b1e2e2d3acb8066defad4
349
md
Markdown
README.md
komete/INM5151
8517288755a92245682ef9127334693d3f6d0a09
[ "Apache-2.0" ]
null
null
null
README.md
komete/INM5151
8517288755a92245682ef9127334693d3f6d0a09
[ "Apache-2.0" ]
null
null
null
README.md
komete/INM5151
8517288755a92245682ef9127334693d3f6d0a09
[ "Apache-2.0" ]
null
null
null
### INM5151 RoadQuest ------------------------------------------------------------------------ #### Description Application de gestion de patrimoine routier. -------------------------------------------------- * Version de Ruby: Ruby: 2.2.3 Rails:4.5.2 * Éxécution des tests: Lancer la commande suivante: "bundle exec rake test".
20.529412
72
0.438395
fra_Latn
0.141056
8b0eaa3a72cbd4f2dc373cca1bb89d1c6f3b8785
603
md
Markdown
README.md
crcms/request-log
fa31340a4ed63a05a92139fb7ba52e4d645de7b9
[ "MIT" ]
1
2019-03-03T19:23:18.000Z
2019-03-03T19:23:18.000Z
README.md
crcms/request-logger
fa31340a4ed63a05a92139fb7ba52e4d645de7b9
[ "MIT" ]
null
null
null
README.md
crcms/request-logger
fa31340a4ed63a05a92139fb7ba52e4d645de7b9
[ "MIT" ]
null
null
null
# Request Logger [![Latest Stable Version](https://poser.pugx.org/crcms/request-logger/v/stable)](https://packagist.org/packages/crcms/request-logger) [![License](https://poser.pugx.org/crcms/request-logger/license)](https://packagist.org/packages/crcms/request-logger) [![StyleCI](https://github.styleci.io/repos/173576697/shield?branch=master)](https://github.styleci.io/repos/173576697) request log extension based on laravel logs ## Install ``` composer require crcms/request-logger ``` ## Publish ``` php artisan vendor:publish --provider=CrCms\Request\Logger\RequestLoggerServiceProvider ```
31.736842
133
0.767828
kor_Hang
0.265936
8b0eb95991233cf98d099d10efa17dfb6ad209b9
11,021
md
Markdown
docs/vs-2015/extensibility/internals/support-for-the-navigation-bar-in-a-legacy-language-service.md
monkey3310/visualstudio-docs.pl-pl
adc80e0d3bef9965253897b72971ccb1a3781354
[ "CC-BY-4.0", "MIT" ]
null
null
null
docs/vs-2015/extensibility/internals/support-for-the-navigation-bar-in-a-legacy-language-service.md
monkey3310/visualstudio-docs.pl-pl
adc80e0d3bef9965253897b72971ccb1a3781354
[ "CC-BY-4.0", "MIT" ]
null
null
null
docs/vs-2015/extensibility/internals/support-for-the-navigation-bar-in-a-legacy-language-service.md
monkey3310/visualstudio-docs.pl-pl
adc80e0d3bef9965253897b72971ccb1a3781354
[ "CC-BY-4.0", "MIT" ]
null
null
null
--- title: Obsługa paska nawigacyjnego w starszej wersji usługi językowej | Dokumentacja firmy Microsoft ms.custom: '' ms.date: 2018-06-30 ms.prod: visual-studio-dev14 ms.reviewer: '' ms.suite: '' ms.technology: - vs-ide-sdk ms.tgt_pltfrm: '' ms.topic: article helpviewer_keywords: - Navigation bar, supporting in language services [managed package framework] - language services [managed package framework], Navigation bar ms.assetid: 2d301ee6-4523-4b82-aedb-be43f352978e caps.latest.revision: 17 ms.author: gregvanl manager: ghogen ms.openlocfilehash: 3e62ac19a42877c1c7c995ffd3d416b5225514b1 ms.sourcegitcommit: 55f7ce2d5d2e458e35c45787f1935b237ee5c9f8 ms.translationtype: MT ms.contentlocale: pl-PL ms.lasthandoff: 08/22/2018 ms.locfileid: "42682273" --- # <a name="support-for-the-navigation-bar-in-a-legacy-language-service"></a>Obsługa paska nawigacyjnego w starszej wersji usługi językowej [!INCLUDE[vs2017banner](../../includes/vs2017banner.md)] Najnowszą wersję tego tematu znajduje się w temacie [Obsługa paska nawigacyjnego w starszej wersji usługi językowej](https://docs.microsoft.com/visualstudio/extensibility/internals/support-for-the-navigation-bar-in-a-legacy-language-service). Pasek nawigacyjny u góry widoku edytora Wyświetla typy i elementy członkowskie w pliku. Typy są wyświetlane na liście rozwijanej po lewej stronie, a elementy członkowskie są wyświetlane w prawo rozwijanej. Gdy użytkownik wybierze typ, karetkę jest umieszczany w pierwszym wierszu tego typu. Gdy użytkownik wybierze element członkowski, karetkę jest umieszczany w definicji elementu członkowskiego. Pola listy rozwijanej, są aktualizowane zgodnie z bieżącym położeniem karetki. ## <a name="displaying-and-updating-the-navigation-bar"></a>Wyświetlanie i aktualizowanie pasek nawigacyjny Aby zapewnić obsługę na pasku nawigacyjnym, należy wyprowadzić klasę z <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> klasę i zaimplementować <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metody. Kiedy usługi języka otrzymuje okna kodu, base <xref:Microsoft.VisualStudio.Package.LanguageService> tworzy wystąpienie klasy <xref:Microsoft.VisualStudio.Package.CodeWindowManager>, który zawiera <xref:Microsoft.VisualStudio.TextManager.Interop.IVsCodeWindow> obiekt reprezentujący okno kodu. <xref:Microsoft.VisualStudio.Package.CodeWindowManager> Nadano nowy obiekt <xref:Microsoft.VisualStudio.TextManager.Interop.IVsTextView> obiektu. <xref:Microsoft.VisualStudio.Package.LanguageService.CreateDropDownHelper%2A> Metoda pobiera <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> obiektu. W przypadku zwrócenia wystąpienia usługi <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> klasy, <xref:Microsoft.VisualStudio.Package.CodeWindowManager> wywołania usługi <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metodę, aby wypełnić wewnętrzny zawiera listę i przekazuje swoje <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> do obiektu [!INCLUDE[vsprvs](../../includes/vsprvs-md.md)] listę rozwijaną paska menedżera. Listę rozwijaną paska menedżera, z kolei wywołuje <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.SetDropdownBar%2A> metody w Twojej <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> obiektów do nawiązania <xref:Microsoft.VisualStudio.TextManager.Interop.IVsDropdownBar> obiekt, który zawiera dwa paski listy rozwijanej. Kiedy przesuwa się daszek, <xref:Microsoft.VisualStudio.Package.LanguageService.OnIdle%2A> wywołania metody <xref:Microsoft.VisualStudio.Package.LanguageService.OnCaretMoved%2A> metody. Podstawowy <xref:Microsoft.VisualStudio.Package.LanguageService.OnCaretMoved%2A> wywołania metody <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> method in Class metoda swoje <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> klasy, aby zaktualizować stan na pasku nawigacyjnym. Przekaż zestaw <xref:Microsoft.VisualStudio.Package.DropDownMember> obiekty do tej metody. Każdy obiekt reprezentacja wpisu listy rozwijanej. ## <a name="the-contents-of-the-navigation-bar"></a>Zawartość paska nawigacyjnego Na pasku nawigacyjnym zwykle zawiera listę typów i listę elementów członkowskich. Lista typów obejmuje wszystkie typy dostępnych w bieżącym pliku źródłowym. Nazwy typów zawierają informacje pełną przestrzeni nazw. Oto przykładowy kod języka C# za pomocą dwóch typów: ```csharp namespace TestLanguagePackage { public class TestLanguageService { internal struct Token { int tokenID; } private Tokens[] tokens; private string serviceName; } } ``` Zostanie wyświetlona lista typów `TestLanguagePackage.TestLanguageService` i `TestLanguagePackage.TestLanguageService.Tokens`. Lista elementów członkowskich Wyświetla dostępne elementy członkowskie tego typu, który jest zaznaczony na liście typów. Przy użyciu powyższego, przykładowy kod, jeśli `TestLanguagePackage.TestLanguageService` to typ, który jest zaznaczone, lista elementów członkowskich zawiera prywatne składowe `tokens` i `serviceName`. Struktury wewnętrznej `Token` nie jest wyświetlana. Możesz zaimplementować listy elementów członkowskich do pogrubienie nazwę elementu członkowskiego, gdy karetkę jest umieszczony wewnątrz niego. Elementy Członkowskie mogą być także wyświetlane w wyszarzona tekstu, wskazujący, że nie znajdują się w zakresie, gdzie karetka jest ustawiana po raz obecnie. ## <a name="enabling-support-for-the-navigation-bar"></a>Włączanie obsługi paska nawigacyjnego Aby włączyć obsługę na pasku nawigacyjnym, należy ustawić `ShowDropdownBarOption` parametru <xref:Microsoft.VisualStudio.Shell.ProvideLanguageServiceAttribute> atrybutu `true`. Ten parametr określa <xref:Microsoft.VisualStudio.Package.LanguagePreferences.ShowNavigationBar%2A> właściwości. Aby zapewnić obsługę na pasku nawigacyjnym, należy zaimplementować <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> obiektu <xref:Microsoft.VisualStudio.Package.LanguageService.CreateDropDownHelper%2A> metody <xref:Microsoft.VisualStudio.Package.LanguageService> klasy. W danej implementacji <xref:Microsoft.VisualStudio.Package.LanguageService.CreateDropDownHelper%2A> metody, jeśli <xref:Microsoft.VisualStudio.Package.LanguagePreferences.ShowNavigationBar%2A> właściwość jest ustawiona na `true`, może zwrócić <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars> obiektu. Jeśli nie zwraca obiektu, nie jest wyświetlana na pasku nawigacyjnym. Można ustawić opcję, aby wyświetlać pasek nawigacyjny przez użytkownika, więc istnieje możliwość, że ta kontrolka do zresetowania przy otwartym widoku edytora. Użytkownik musi zamknąć i otworzyć okno edytora, przed wprowadzeniem zmiany. ## <a name="implementing-support-for-the-navigation-bar"></a>Implementowanie obsługi paska nawigacyjnego <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> Metoda przyjmuje dwie listy (po jednym dla każdej listy rozwijanej) i dwie wartości reprezentujący bieżące zaznaczenie w każdej listy. Wartości wyboru i list mogą być aktualizowane, w którym to przypadku <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metoda musi zwracać `true` do wskazania, że listy zostały zmienione. Jak zmieni się zaznaczenie w typach listy rozwijanej listy elementów członkowskich należy zaktualizować tak, aby odzwierciedlić nowego typu. Co to jest wyświetlany na liście elementów członkowskich mogą być: - Lista elementów członkowskich dla bieżącego typu. - Wszystkie elementy członkowskie dostępne w źródle pliku, ale przy użyciu wszystkich elementów członkowskich nie w bieżącym typem wyświetlane w tekście wyszarzona. Użytkownik może wybrać nadal członków wyszarzona, co umożliwia ich szybkie nawigowanie, ale kolor oznacza, że nie są częścią aktualnie wybranego typu. Implementacja <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metoda przeważnie wykonuje następujące czynności: 1. Zostanie wyświetlona lista bieżącej deklaracji dla pliku źródłowego. Istnieją różne sposoby do wypełnienia listy. Jedno z podejść jest utworzenie niestandardowej metody na wersję <xref:Microsoft.VisualStudio.Package.LanguageService> klasy, która wywołuje <xref:Microsoft.VisualStudio.Package.LanguageService.ParseSource%2A> metodę z powodu niestandardowych analizy, która zwraca listę wszystkich deklaracji. Innym rozwiązaniem może być wywołanie <xref:Microsoft.VisualStudio.Package.LanguageService.ParseSource%2A> bezpośrednio z metody <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metodę z powodu niestandardowych analizy. Trzeci rozwiązaniem może być w pamięci podręcznej deklaracji w <xref:Microsoft.VisualStudio.Package.AuthoringScope> klasy zwrócony przez ostatnią pełną operację analizy w <xref:Microsoft.VisualStudio.Package.LanguageService> klasy i pobrać z <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metody. 2. Wypełnij lub zaktualizować listę typów. Zawartość listy typów mogą zostać zaktualizowane po zmianie źródła lub jeśli zmiana stylu tekstu typów, w oparciu o bieżącym położeniu karetki. Należy zauważyć, że w tym miejscu jest przekazywany do <xref:Microsoft.VisualStudio.Package.TypeAndMemberDropdownBars.OnSynchronizeDropdowns%2A> metody. 3. Określ typ, wybierz z listy typów, oparte na bieżącym położeniu karetki. Możesz wyszukać deklaracje, które zostały uzyskane w kroku 1, aby znaleźć typ, który otacza bieżącym położeniu karetki i następnie wyszukaj listę typów dla tego typu ustalić jego indeksu na liście typów. 4. Wypełnij lub zaktualizować listę elementów członkowskich na podstawie wybranego typu. Lista elementów członkowskich odzwierciedla, co to jest aktualnie wyświetlany w **członków** listy rozwijanej. Zawartość listy elementów członkowskich może być konieczne można zaktualizować, czy źródłowy został zmieniony, czy są wyświetlane tylko członkowie wybranego typu i wybrany typ został zmieniony. Jeśli wybierzesz wyświetlić wszystkie elementy członkowskie w pliku źródłowym, style tekstu poszczególnych członków na liście musi zostać zaktualizowany, jeśli aktualnie wybranego typu została zmieniona. 5. Ustal, elementu członkowskiego, aby wybrać na liście elementów członkowskich na podstawie bieżącego położenia karetki. Wyszukaj deklaracje, które zostały uzyskane w kroku 1 dla elementu członkowskiego, który zawiera bieżącym położeniu karetki, a następnie wyszukaj listę elementów członkowskich dla tego elementu, aby ustalić jego indeksu do listy członków. 6. Zwróć `true` Jeśli zmiany zostały dokonane do listy lub zaznaczenia w obu list.
108.04902
1,710
0.824426
pol_Latn
0.999462
8b0ed1c978e68d426226bb218547ccfa1bd81060
7,593
md
Markdown
_i18n/es/_posts/resources/2002-01-03-podcasts.md
jht243/HorizenAcademy
f7844032530a121e92566168f4e8061875f6c317
[ "MIT" ]
7
2020-08-04T22:40:31.000Z
2021-11-24T01:44:57.000Z
_i18n/es/_posts/resources/2002-01-03-podcasts.md
PowerVANO/HorizenAcademy
24234d47bfa4fea7ef1eea16a8129eaa4ed12ca7
[ "MIT" ]
9
2020-07-25T22:28:10.000Z
2022-03-08T10:52:39.000Z
_i18n/es/_posts/resources/2002-01-03-podcasts.md
PowerVANO/HorizenAcademy
24234d47bfa4fea7ef1eea16a8129eaa4ed12ca7
[ "MIT" ]
2
2022-01-12T08:00:37.000Z
2022-03-01T19:29:33.000Z
--- layout: post type: article title: "Podcasts" description: "Hemos elaborado una lista de podcasts, que son excelentes para comenzar con blockchain y cryptocurrencies." permalink: /resources/podcasts/ topic: resources --- <div class="row mt-5"> <div class="col-md-3"> <img src="https://secureimg.stitcher.com/feedimagesplain328/367125.jpg" alt="Horizen Podcast" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">Horizen Podcast</h5> <p> Hace poco publicamos los primeros episodios de nuestro propio podcast. Lo invitamos a escuchar nuestro contenido nuevo y existente, incluyendo nuestros livestreams mensuales, entrevistas y conferencias vía podcast mientras lleva a cabo sus tareas diarias. Planeamos incluir entrevistas con miembros del equipo, socios interesantes y otras personalidades de la industria en un futuro cercano. </p> <p class="mt-5"> <a class="btn btn-info mb-2 mr-2" href="" target="_blank">Sitio web</a> <a class="btn btn-info mb-2 mr-2" href="https://itunes.apple.com/at/podcast/horizen/id1451532930?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2 mr-2" href="https://play.google.com/music/listen#/ps/Igdazc3uwlcwek7dsbmfxcnenq4" target="_blank">Google Podcast</a> <a class="btn btn-info mb-2 mr-2" href="https://www.stitcher.com/podcast/horizen" target="_blank">Stitcher</a> <a class="btn btn-info mb-2" href="https://open.spotify.com/show/19QEuU6YL0gtr0Z49X7GmY" target="_blank">Spotify</a> </p> </div> </div> <div class="row mt-5"> <div class="col-md-3"> <img src="https://secureimg.stitcher.com/feedimagesplain328/159159.jpg" alt="What Bitcoin did" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">What Bitcoin did</h5> <p> <a href="https://twitter.com/PeterMcCormack" target="_blank">Peter McCormack</a> presentador de este podcast, entrevista a los líderes de la industria y economía criptomonetarias. Este podcast le permitirá escuchar la opinión de comerciantes, mineros, inversionistas, desarrolladores, ejecutivos, periodistas y otros individuos involucrados con la vanguardia de Bitcoin y otras criptomonedas. </p> <p class="mt-5"> <a class="btn btn-info mr-2 mb-2" href="https://www.whatbitcoindid.com/" target="_blank">Sitio web</a> <a class="btn btn-info mr-2 mb-2" href="https://itunes.apple.com/at/podcast/the-what-bitcoin-did-podcast/id1317356120?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2" href="https://www.stitcher.com/podcast/what-bitcoin-did" target="_blank">Stitcher</a> </p> </div> </div> <div class="row mt-5"> <div class="col-md-3"> <img src="https://is3-ssl.mzstatic.com/image/thumb/Music128/v4/53/37/6d/53376dd3-801b-3eb1-2f8a-806d8f190257/source/1200x630bb.jpg" alt="Off the Chain" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">Off the Chain</h5> <p> Su presentador, <a href="https://twitter.com/APompliano" target="_blank">Anthony “Pomp” Pompliano</a> conversa con algunos de los miembros más destacados de Wall Street y el mundo cripto para conocer sus opiniones sobre las divisas digitales desde la perspectiva de los sistemas financieros nuevo y antiguo. Pomp es socio y cofundador de Morgan Creek Digital. Escribe artículos diarios dirigidos a inversionistas institucionales donde analiza las noticias del mundo cripto, por lo que suele encontrarse al tanto de todo los desarrollos más nuevos del ecosistema blockchain. </p> <p class="mt-5"> <a class="btn btn-info mb-2 mr-2" href="https://offthechain.libsyn.com/" target="_blank">Sitio web</a> <a class="btn btn-info mb-2 mr-2" href="https://itunes.apple.com/at/podcast/off-the-chain/id1434060078?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2 mr-2" href="https://www.google.com/podcasts?feed=aHR0cDovL29mZnRoZWNoYWluLmxpYnN5bi5jb20vcnNz" target="_blank">Google Podcast</a> <a class="btn btn-info mb-2" href="https://www.stitcher.com/podcast/blockworks-group/off-the-chain" target="_blank">Stitcher</a> </p> </div> </div> <div class="row mt-5"> <div class="col-md-3"> <img src="https://i1.sndcdn.com/avatars-000359576747-qmfxcm-t500x500.jpg" alt="Unchained" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">Unchained</h5> <p> Este podcast lo dirige la periodista independiente <a href="https://twitter.com/laurashin" target="_blank">Laura Shin</a>. Interesada en todo lo relacionado a la cripto, Shin habla con los pioneros de la industria sobre la manera en la que las divisas cripto, las cadenas de bloques y la Web 3.0 transformarán cómo ganamos, gastamos e invertimos nuestro dinero. </p> <p class="mt-5"> <a class="btn btn-info mb-2 mr-2" href="https://unchainedpodcast.com/" target="_blank">Sitio web</a> <a class="btn btn-info mb-2 mr-2" href="https://itunes.apple.com/at/podcast/unchained-your-no-hype-resource-for-all-things-crypto/id1123922160?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2" href="https://www.stitcher.com/podcast/forbes-podcast-network/unchained-big-ideas-from-the-worlds-of-blockchain-and-fintech" target="_blank">Stitcher</a> </p> </div> </div> <div class="row mt-5"> <div class="col-md-3"> <img src="https://www.bitcoin.kn/img/bitcoin-knowledge-podcast.jpg" alt="The Bitcoin Knowledge Podcast" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">The Bitcoin Knowledge Podcast</h5> <p> <a href="https://twitter.com/TraceMayer" target="_blank">Trace Mayer</a> entrevista a los líderes del ámbito Bitcoin sobre la naturaleza de la tecnología blockchain. El ecléctico presentador se autodescribe como una figura entusiasta por compartir la verdad no adulterada sobre todo lo más atractivo e interesante de las cadenas de bloques. </p> <p class="mt-5"> <a class="btn btn-info mb-2 mr-2" href="https://www.bitcoin.kn/" target="_blank">Sitio web</a> <a class="btn btn-info mb-2 mr-2" href="https://itunes.apple.com/at/podcast/the-bitcoin-knowledge-podcast/id301670981?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2" href="https://www.podbean.com/podcast-detail/mrvih-3a3df/Podcast-%E2%80%93-The-Bitcoin-Knowledge-Podcast" target="_blank">Podbean</a> </p> </div> </div> <div class="row mt-5"> <div class="col-md-3"> <img src="https://secureimg.stitcher.com/feedimagesplain328/173867.jpg" alt="The Coin Pod" /> </div> <div class="col-md-9"> <h5 class="mt-2 mt-md-0">The Coin Pod</h5> <p> Un podcast semanal y conversacional en el que participan individuos que contribuyen activamente al desarrollo de Bitcoin. Lo conduce Zack Voell, un analista de Messari, una empresa que se dedica a destilar predicciones, datos e investigaciones para los profesionales del mundo cripto. </p> <p class="mt-5"> <a class="btn btn-info mb-2 mr-2" href="https://itunes.apple.com/at/podcast/the-coin-pod/id1350143328?l=en&mt=2" target="_blank">Apple Podcasts</a> <a class="btn btn-info mb-2" href="https://www.stitcher.com/podcast/the-coin-pod" target="_blank">Stitcher</a> </p> </div> </div>
63.275
585
0.675227
spa_Latn
0.529808
8b139024f762fbaf5b0da7bbe9a2c78c712fd334
1,447
md
Markdown
2020/12/20/2020-12-20 15:50.md
zhzhzhy/WeiBoHot_history
32ce4800e63f26384abb17d43e308452c537c902
[ "MIT" ]
3
2020-07-14T14:54:15.000Z
2020-08-21T06:48:24.000Z
2020/12/20/2020-12-20 15:50.md
zhzhzhy/WeiBoHot_history
32ce4800e63f26384abb17d43e308452c537c902
[ "MIT" ]
null
null
null
2020/12/20/2020-12-20 15:50.md
zhzhzhy/WeiBoHot_history
32ce4800e63f26384abb17d43e308452c537c902
[ "MIT" ]
null
null
null
2020年12月20日15时数据 Status: 200 1.盛一伦道歉 微博热度:3402670 2.新冠病毒在英变异后传播力高出70% 微博热度:1911847 3.Twins出道20年 微博热度:1906816 4.Jennie发际线 微博热度:1839962 5.两头婚 微博热度:1593387 6.好蓝好蓝 微博热度:1540766 7.为什么要给丁真开美颜 微博热度:1525924 8.星光大赏彩排 微博热度:1511663 9.大量英国人赶在封城前离开伦敦 微博热度:1492434 10.澳门回归21周年 微博热度:1481858 11.星光大赏阵容 微博热度:1456662 12.张檬再次向刘雨欣道歉 微博热度:1455609 13.黄明昊正骨痛出表情包 微博热度:1144143 14.记者被陈建州呛到无言 微博热度:765374 15.黑龙江安达化工厂爆炸遇难人数增至3人 微博热度:727972 16.星光大赏粉丝应援 微博热度:706934 17.张绍刚借裤子给黄圣依穿 微博热度:705070 18.李希侃 微博热度:687530 19.当你问男朋友可以吗 微博热度:668534 20.大疆回应被列入实体清单 微博热度:646046 21.冬至 微博热度:623873 22.殷世航求婚现场 微博热度:614742 23.江苏省考 微博热度:594034 24.鹤壁一儿童被狗咬死狗主人被刑拘 微博热度:587414 25.战士回家被妈妈当成顾客让扫付款码 微博热度:586612 26.张檬发素颜照回应 微博热度:585912 27.热橙子水 微博热度:562931 28.章子怡说千玺是流量艺人典范 微博热度:561997 29.广东选调 微博热度:548920 30.中国驻美使馆调整回国检测标准 微博热度:542624 31.肖战年度男歌手 微博热度:541717 32.今天的南京星光熠熠 微博热度:446376 33.有翡突如其来的搞笑 微博热度:437402 34.2020全球最帅100人 微博热度:436247 35.崔世安钟南山获授大莲花荣誉勋章 微博热度:418509 36.陈妍希弹唱小星星为儿子庆生 微博热度:416109 37.陈志朋 昨天一上称又少了1kg 微博热度:413721 38.明道跳重生杨幂的表情 微博热度:404678 39.丁程鑫即兴表演酒醉的蝴蝶 微博热度:281376 40.民警冬夜跳河救人后妻子发的微信 微博热度:248789 41.刘天池晒马嘉祺的日记 微博热度:234248 42.张艺兴送练习生莲花 微博热度:230602 43.郑州120心梗救治时间最快缩短九成 微博热度:229696 44.比特币突破24000美元 微博热度:228660 45.不雅检查涉事校长亡妻弟弟发声 微博热度:227007 46.虎扑投票63%男性认为自己比丁真帅 微博热度:225461 47.美国单日新增新冠病例超40万例 微博热度:224189 48.山西吕梁严重违反师德校长被免职 微博热度:222924 49.高校全鱼宴材料由学生下湖捕捞 微博热度:220475 50.于正道歉 微博热度:219402
7.093137
21
0.787146
yue_Hant
0.282325
8b1391ec285461cbfbea205e177a0e886901f9b6
3,189
md
Markdown
_notes/daringGreatly.md
qwertymarmot/digital-garden-jekyll-template
95ea275a2f001266612a46a0ceb0c0446241d592
[ "MIT" ]
null
null
null
_notes/daringGreatly.md
qwertymarmot/digital-garden-jekyll-template
95ea275a2f001266612a46a0ceb0c0446241d592
[ "MIT" ]
null
null
null
_notes/daringGreatly.md
qwertymarmot/digital-garden-jekyll-template
95ea275a2f001266612a46a0ceb0c0446241d592
[ "MIT" ]
null
null
null
--- title: Daring Greatly layout: book book: nonfiction bookauthor: Brené Brown --- <div style="float:left; margin:0 50px 10px 0; width:50%; height:auto; max-width:200px; box-shadow: 0 4px 8px 0 rgba(0, 0, 0, 0.2), 0 6px 20px 0 rgba(0, 0, 0, 0.19)" markdown="1"> ![book-cover](https://images-na.ssl-images-amazon.com/images/I/41ODkgrUgYL._SX329_BO1,204,203,200_.jpg) </div> ## Notes - The mindset of never having enough is a leading cause to our shifting mindsets and our attitudes about everyone. Nevermind having enough sleep, money, success, time puts us in a impossible to catch up negative state. - Our benchmarks for which we compare ourselves against are unobtainable and thus continue to drive us into a state of lacking - Fear thrives in a culture of scarcity. This fear turns us all into animals backed into a corner and ready to explode at anyone who threatens our beliefs. It also makes us susceptible to confirmation bias - Being vulnerable is difficult because it is us putting ourselves out there and accepting the risks that come. However being vulnerable is how we grow and how we learn to be better and more empathetic people. - We are only able to be vulnerable with those who we trust. - Trust is built up over many small moments. Each time someone does something to show they care it increases our trust of that person. Each time they do something to wrong us that trust is deminished or destroyed altogether. - Addressing shame is a critical part of being vulnerable. Shame breeds in silence. It grows bigger and stronger. A business cannot cultivate a culture of innovation and growth with shame because ideas aren't shared. - A process for shame resilience is to respond to the voice in your head with the reasoning for why it is fine to for you to behave in a specific way. - As we grow up around the time we are in middle school is the times when we start to put on masks and armor to conform in order to fit in. As adults we have wore these masks and armor for so long we have gotten excellent at hiding the facts that they exist. Peeling away this amor is difficult and induces shame - Living in a state of expecting the worse lowers the joy we can experience from the happy moments in our lives. We convince ourselves that expecting the worst will prepare us. But when the worst actually happens we will never be prepared for it anyhow so life is better lead embracing the happy moments - Perfectionism is a form of shame where we try to avoid failure. However avoiding failure limits our ability to grow and in itself is a failure. We have to be willing to failure to learn. - Our battle against Perfectionism is believing that we are enough. Being enough entails wholeheartedly accepting and embracing your self and the flaws that make you one of a kind. - When we pursue numbing agents or ways to take the edge off our life or our day we avoid the real problems. Address the issues that make you feel like you need numbing in the first place. Many times they can be corrected in one self. --- Brown, C. B. (2012). *Daring greatly: How the courage to be vulnerable transforms the way we live, love, parent, and lead*. Gotham Books. <br>[[books|All Books]]
93.794118
312
0.78175
eng_Latn
0.999799
8b148405ddef3526b84caeb3cd271a19509ea994
356
md
Markdown
ru/_includes/tutorials/kafka/clear-out.md
vadamlyuk/docs
3cffa8176b1427fd4181b3c6bfb6d4a46caf071e
[ "CC-BY-4.0" ]
null
null
null
ru/_includes/tutorials/kafka/clear-out.md
vadamlyuk/docs
3cffa8176b1427fd4181b3c6bfb6d4a46caf071e
[ "CC-BY-4.0" ]
null
null
null
ru/_includes/tutorials/kafka/clear-out.md
vadamlyuk/docs
3cffa8176b1427fd4181b3c6bfb6d4a46caf071e
[ "CC-BY-4.0" ]
null
null
null
Если вам больше не нужны созданные ресурсы, удалите [виртуальную машину](../../../compute/operations/vm-control/vm-delete.md) и [кластер {{ mkf-name }}](../../../managed-kafka/operations/cluster-delete.md). Если вы зарезервировали для созданной виртуальной машины публичный статический IP-адрес, [удалите его](../../../vpc/operations/address-delete.md).
71.2
206
0.738764
rus_Cyrl
0.80023
8b150061f3566cb8fc968b1a1b36776e5ba007d1
3,474
md
Markdown
README.md
webceyhan/rock-paper-scissors-game
e1ce5ecd966a189d8849a8e99cfea8f36d7347ed
[ "MIT" ]
1
2022-02-05T17:18:37.000Z
2022-02-05T17:18:37.000Z
README.md
webceyhan/rock-paper-scissors-game
e1ce5ecd966a189d8849a8e99cfea8f36d7347ed
[ "MIT" ]
21
2022-02-11T22:48:50.000Z
2022-03-31T22:32:13.000Z
README.md
webceyhan/rock-paper-scissors-game
e1ce5ecd966a189d8849a8e99cfea8f36d7347ed
[ "MIT" ]
null
null
null
<!-- AUTOMATION BADGES --> [![CodeQL](https://github.com/webceyhan/vite-rps-game/actions/workflows/codeql-analysis.yml/badge.svg)](https://github.com/webceyhan/vite-rps-game/actions/workflows/codeql-analysis.yml) [![Build and Deploy](https://github.com/webceyhan/vite-rps-game/actions/workflows/build-and-deploy.yml/badge.svg)](https://github.com/webceyhan/vite-rps-game/actions/workflows/build-and-deploy.yml) <!-- HEADER ///////////////////////////////////////////////////////////// --> # Vite Rock-Paper-Scissors Game This is a single-play implementation of the famous Rock-Paper-Scissors game. The application is built with Vite + Vue 3 + Bootstrap and written in TypeScript. There is no need for backend server as it only works in single-play mode against the computer. [View Demo](https://ceyhan.io/vite-rps-game/) | [Report Issue](https://github.com/webceyhan/vite-rps-game/issues) | [Request Feature](https://github.com/webceyhan/vite-rps-game/pulls) | [@webceyhan](https://twitter.com/webceyhan) <br> <!-- REQUIREMENTS /////////////////////////////////////////////////////// --> ## Requirements You need to install the [Node.js](https://nodejs.dev/) and `npm` package manager first. > Recommended IDE: > [VSCode](https://code.visualstudio.com/) + [Volar](https://marketplace.visualstudio.com/items?itemName=johnsoncodehk.volar) <br> <!-- INSTALLATION //////////////////////////////////////////////////////// --> ## Installation 1. Clone the repository. ```sh git clone https://github.com/webceyhan/vite-rps-game.git ``` 2. Get inside the cloned project folder. ```sh cd vite-rps-game ``` 3. Install NPM packages. ```sh npm install ``` <br> <!-- USAGE /////////////////////////////////////////////////////////////// --> ## Usage ![Rules](./src/assets/rules.png) You can use following commands to do various task with the project. ```sh npm run dev # start development server npm run build # build for production npm run preview # preview built application ``` > Take a look at the other scripts in [`package.json`](./package.json) <br> <!-- DEVELOPMENT ///////////////////////////////////////////////////////// --> ## Development Start the development server to watch changes while you code. ```sh npm run dev ``` <br> <!-- BUILDING //////////////////////////////////////////////////////////// --> ## Building Build the application for production. ```sh npm run build ``` You can also preview the application after building it. ```sh npm run preview ``` <br> <!-- DEPLOYMENT ////////////////////////////////////////////////////////// --> ## Deployment (GitHub Pages) A GitHub Action will automatically deploy the project to GitHub Pages on every push. The workflow will build the project using npm and output the result to the `dist` folder which will be then pushed to the `gh-pages` branch. > See the details in [.github/workflows/build-and-deploy.yml](./.github/workflows/build-and-deploy.yml) <br> <!-- REFERENCES ////////////////////////////////////////////////////////// --> ## References - [Node.js](https://nodejs.dev/) - [Vite](https://vitejs.dev/) - [Vue.js](https://vuejs.org/) - [Bootstrap](https://getbootstrap.com) - [TypeScript](https://www.typescriptlang.org/) - [GitHub Actions](https://docs.github.com/en/actions) - [GitHub Pages](https://pages.github.com/) - [github-pages-deploy-action](https://github.com/JamesIves/)
29.440678
197
0.6019
eng_Latn
0.487983