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
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
67d96ff96fceb7ddcd0bd1f18ba27c3c78f48c39 | 2,106 | md | Markdown | README.md | pgaspar/oqfc | 1c1c7f6871418aa9c859a22bc23aeae5315364ef | [
"MIT"
] | 3 | 2015-04-19T16:48:43.000Z | 2016-09-26T12:45:12.000Z | README.md | pgaspar/oqfc | 1c1c7f6871418aa9c859a22bc23aeae5315364ef | [
"MIT"
] | 3 | 2015-05-12T15:57:08.000Z | 2016-12-05T00:13:48.000Z | README.md | pgaspar/oqfc | 1c1c7f6871418aa9c859a22bc23aeae5315364ef | [
"MIT"
] | 6 | 2016-04-26T20:23:13.000Z | 2021-02-27T19:03:55.000Z | [![Code Climate](https://codeclimate.com/github/pgaspar/oqfc/badges/gpa.svg)](https://codeclimate.com/github/pgaspar/oqfc)
This is the source code behind the "[O que falta em Coimbra?](http://oquefaltaemcoimbra.pt/)" concept.
Make sure you check out the [Usage Guidelines](http://oquefaltaemcoimbra.pt/about).
How does it work?
---------------------
* Sinatra app
* Running on Ruby 2.3.1
Setup
------
Install Ruby 2.3.1 (if necessary). RVM is optional, but highly recommended.
rvm install ruby 2.3.1p112
git clone https://github.com/pgaspar/oqfc.git
cd oqfc
Install bundler
gem install bundler
Install the gems
bundle install --without production
Configure the app
* duplicate `config/config.rb.example`
* rename it to `config.rb`
* open it and change the necessary settings
Run the server
ruby app.rb
Go to [http://127.0.0.1:4567](http://127.0.0.1:4567)
Customization
-------------
App global settings are available on your `config/config.rb`. Here you can change the city name and background color, among other things.
For the Facebook Comments plugin to work you'll need to:
* [create a Facebook App](https://developers.facebook.com/apps)
* make sure the `:site_url` setting corresponds to the Site URL and App Domains settings on your Facebook App configuration
* set your Facebook App ID in the `:fb_app_id` setting
You may also want to:
* change `public/img/favicon.png` to your own color
* change `public/img/logo.png` (this image is used by Facebook when sharing)
* customize the Facebook sharing text via the `:meta_description` setting
Deployment
-------------
The app is ready for deployment in [Heroku](http://heroku.com). [Troubleshoot here](https://devcenter.heroku.com/articles/rack#sinatra) | [Custom Domains](https://devcenter.heroku.com/articles/custom-domains).
Note: You need to remove the `config/config.rb` line from `.gitignore` so your configuration is sent to Heroku.
Contributing
-------------
Fork, create a topic branch, change the code and create a [Pull Request](https://help.github.com/articles/using-pull-requests). Thanks!
| 30.521739 | 209 | 0.728395 | eng_Latn | 0.874566 |
67da09544238104520107292f5a38e0476c7b510 | 1,166 | md | Markdown | _posts/2020-08-27-Linked List Cycle II.md | YShu7/YShu7.github.io | f224a8ac951e40e6b5419b93e486b2bf2b2c686b | [
"MIT"
] | 1 | 2021-04-14T11:27:45.000Z | 2021-04-14T11:27:45.000Z | _posts/2020-08-27-Linked List Cycle II.md | YShu7/YShu7.github.io | f224a8ac951e40e6b5419b93e486b2bf2b2c686b | [
"MIT"
] | null | null | null | _posts/2020-08-27-Linked List Cycle II.md | YShu7/YShu7.github.io | f224a8ac951e40e6b5419b93e486b2bf2b2c686b | [
"MIT"
] | null | null | null | ---
title: Linked List Cycle II
tags: [LeetCode, Two Pointers]
---
[142. Linked List Cycle II](https://leetcode.com/problems/linked-list-cycle-ii/)
#### Solution
1. H: distance from head to cycle entry E, D: distance from E to X, L: cycle length
1. 2H + 2D = H + D + L --> H + D = nL --> H = nL - D
1. Thus if two pointers start from head and X, respectively, one first reaches E, the other also reaches E.
[Reference](https://leetcode.com/problems/linked-list-cycle-ii/discuss/44783/Share-my-python-solution-with-detailed-explanation
> Can use `try` `except` to make the code cleaner.
```python
def detectCycle(self, head):
"""
:type head: ListNode
:rtype: ListNode
"""
if head is None or head.next is None:
return None
slow, fast = head.next, head.next.next
while slow != fast and slow is not None and fast is not None:
slow = slow.next
if fast.next is None:
return None
fast = fast.next.next
if slow is None or fast is None:
return None
fast = head
while slow != fast:
slow, fast = slow.next, fast.next
return fast
``` | 28.439024 | 127 | 0.621784 | eng_Latn | 0.984519 |
67db38fcfb650d71bf395b5a719a915b67280e31 | 990 | md | Markdown | readme.md | UltiRequiem/read-here | df7e9b2844951300a963daa67a4c08201a5e52d2 | [
"MIT"
] | 1 | 2022-03-19T23:53:46.000Z | 2022-03-19T23:53:46.000Z | readme.md | UltiRequiem/read-here | df7e9b2844951300a963daa67a4c08201a5e52d2 | [
"MIT"
] | 1 | 2022-03-08T14:23:16.000Z | 2022-03-08T14:23:16.000Z | readme.md | UltiRequiem/read-from-fs | df7e9b2844951300a963daa67a4c08201a5e52d2 | [
"MIT"
] | null | null | null | # read-from-fs
Utilities to read files from the file system 🗃
## Installation ∙ [![npm](https://img.shields.io/npm/v/read-from-fs?color=blue&style=flat-square)](https://www.npmjs.com/package/read-from-fs)
```console
# npm
npm install read-from-fs
# yarn
yarn add read-from-fs
# pnpm
pnpm add read-from-fs
```
## Usage
```ts
// schemas/index
import { readFromSyncGenerator } from "read-from-fs";
const readFromHere = readFromSyncGenerator(__dirname);
export const myFirstSchema = readFromHere("schema.graphql");
export const my2Schema = readFromHere("2.graphql");
export const my3Schema = readFromHere("3.graphql");
```
By default it read the file as `utf-8` but you can change that by
```ts
export const my3Schema = readFromHere("3.graphql", "ascii");
```
## TODO
Add TSDocs with usage examples in the code. Check [#1](https://github.com/UltiRequiem/read-from-fs/issues/1).
## Docs
Check the API on 👇
https://read-from-fs.js.org
## License
Licensed under the MIT License.
| 19.8 | 142 | 0.718182 | eng_Latn | 0.483185 |
67dd0e4e54e8d2250964714cdfab6d1a8692d113 | 143 | md | Markdown | _posts/Security/Angr-Dynamic Symbolic Exe.md | hwdavr/hwdavr.github.io | 3d71fbdd6712350682769f15d4de17c5f19e247d | [
"BSD-3-Clause",
"MIT"
] | null | null | null | _posts/Security/Angr-Dynamic Symbolic Exe.md | hwdavr/hwdavr.github.io | 3d71fbdd6712350682769f15d4de17c5f19e247d | [
"BSD-3-Clause",
"MIT"
] | null | null | null | _posts/Security/Angr-Dynamic Symbolic Exe.md | hwdavr/hwdavr.github.io | 3d71fbdd6712350682769f15d4de17c5f19e247d | [
"BSD-3-Clause",
"MIT"
] | null | null | null | ---
---
<p><a href="https://github.com/angr">https://github.com/angr</a><br>
<a href="https://docs.angr.io/">https://docs.angr.io/</a></p>
| 15.888889 | 68 | 0.573427 | yue_Hant | 0.685071 |
67df6b96f64469df7548118ff898360fccfd54ca | 9,352 | md | Markdown | docs/mfc/reference/cdaofieldinfo-structure.md | drvoss/cpp-docs.ko-kr | dda556c732d97e5959be3b39dc331ded7eda8bb3 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/mfc/reference/cdaofieldinfo-structure.md | drvoss/cpp-docs.ko-kr | dda556c732d97e5959be3b39dc331ded7eda8bb3 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/mfc/reference/cdaofieldinfo-structure.md | drvoss/cpp-docs.ko-kr | dda556c732d97e5959be3b39dc331ded7eda8bb3 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: "CDaoFieldInfo 구조체 | Microsoft Docs"
ms.custom:
ms.date: 11/04/2016
ms.reviewer:
ms.suite:
ms.technology:
- cpp-windows
ms.tgt_pltfrm:
ms.topic: article
f1_keywords:
- CDaoFieldInfo
dev_langs:
- C++
helpviewer_keywords:
- DAO (Data Access Objects), Fields collection
- CDaoFieldInfo structure [MFC]
ms.assetid: 91b13e3f-bdb8-440c-86fc-ba4181ea0182
caps.latest.revision:
author: mikeblome
ms.author: mblome
manager: ghogen
ms.workload:
- cplusplus
ms.openlocfilehash: 63fdab9bae7238f427ff2015beffd53570603af4
ms.sourcegitcommit: 8fa8fdf0fbb4f57950f1e8f4f9b81b4d39ec7d7a
ms.translationtype: MT
ms.contentlocale: ko-KR
ms.lasthandoff: 12/21/2017
---
# <a name="cdaofieldinfo-structure"></a>CDaoFieldInfo 구조체
`CDaoFieldInfo` 구조 데이터 액세스 개체 (DAO)에 대해 정의 된 field 개체에 대 한 정보를 포함 합니다.
## <a name="syntax"></a>구문
```
struct CDaoFieldInfo
{
CString m_strName; // Primary
short m_nType; // Primary
long m_lSize; // Primary
long m_lAttributes; // Primary
short m_nOrdinalPosition; // Secondary
BOOL m_bRequired; // Secondary
BOOL m_bAllowZeroLength; // Secondary
long m_lCollatingOrder; // Secondary
CString m_strForeignName; // Secondary
CString m_strSourceField; // Secondary
CString m_strSourceTable; // Secondary
CString m_strValidationRule; // All
CString m_strValidationText; // All
CString m_strDefaultValue; // All
};
```
#### <a name="parameters"></a>매개 변수
`m_strName`
Field 개체를 이름을 고유 하 게 지정 합니다. 자세한 내용은 DAO 도움말의 "Name 속성" 항목을 참조 합니다.
`m_nType`
필드의 데이터 형식을 나타내는 값입니다. 자세한 내용은 DAO 도움말의 "Type 속성" 항목을 참조 합니다. 이 속성의 값은 다음 중 하나일 수 있습니다.
- **dbBoolean** Yes/No 동일 **TRUE**/**FALSE**
- **dbByte** 바이트
- **dbInteger** 짧은
- **dbLong** 긴
- **dbCurrency** 통화; 참조 MFC 클래스 [COleCurrency](../../mfc/reference/colecurrency-class.md)
- **dbSingle** 단일
- **dbDouble** Double
- **dbDate** 날짜/시간; 참조 MFC 클래스 [COleDateTime](../../atl-mfc-shared/reference/coledatetime-class.md)
- **dbText** 텍스트 이거나, 이러한 참조 MFC 클래스 [CString](../../atl-mfc-shared/reference/cstringt-class.md)
- **dbLongBinary** 긴 이진 (OLE 개체); MFC 클래스를 사용 하려는 경우도 [CByteArray](../../mfc/reference/cbytearray-class.md) 클래스 대신 `CLongBinary` 으로 `CByteArray` 풍부 하 고 보다 쉽게 사용할 수 있습니다.
- **dbMemo** 메모; 참조 MFC 클래스`CString`
- **dbGUID** A 전역 고유 식별자/범용 고유 식별자 원격 프로시저 호출에 사용 합니다. 자세한 내용은 DAO 도움말의 "Type 속성" 항목을 참조 합니다.
> [!NOTE]
> 이진 데이터에 대 한 문자열 데이터 형식을 사용 하지 마십시오. 이렇게 하면 오버 헤드가 증가 하 고 예상치 못한 변환으로 인해 발생 하는 유니코드/ANSI 변환 계층을 통해 전달할 데이터입니다.
*m_lSize*
최대 크기 (바이트)를 텍스트 또는 텍스트 또는 숫자 값을 포함 하는 필드 개체의 고정된 크기를 포함 하는 DAO 필드 개체를 나타내는 값입니다. 자세한 내용은 DAO 도움말의 "크기 Property" 항목을 참조 합니다. 크기는 다음 값 중 하나일 수 있습니다.
|형식|크기(바이트)|설명|
|----------|--------------------|-----------------|
|**dbBoolean**|1바이트|예/아니요 (True/False와 같음)|
|**dbByte**|1|Byte|
|**dbInteger**|2|정수|
|**dbLong**|4|Long|
|**dbCurrency**|8|통화 ([COleCurrency](../../mfc/reference/colecurrency-class.md))|
|**dbSingle**|4|Single|
|**dbDouble**|8|Double|
|**dbDate**|8|날짜/시간 ([COleDateTime](../../atl-mfc-shared/reference/coledatetime-class.md))|
|**dbText**|1 - 255|텍스트 ([CString](../../atl-mfc-shared/reference/cstringt-class.md))|
|**dbLongBinary**|0|긴 이진 (OLE 개체입니다. [CByteArray](../../mfc/reference/cbytearray-class.md); 대신 사용 하 여 `CLongBinary`)|
|**dbMemo**|0|메모 ([CString](../../atl-mfc-shared/reference/cstringt-class.md))|
|**dbGUID**|16|전역적으로 고유 식별자/범용 고유 식별자 원격 프로시저 호출에 사용 합니다.|
`m_lAttributes`
테이블 정의 레코드 집합, 쿼리 또는 인덱스 개체에 포함 된 field 개체의 특성을 지정 합니다. 반환 되는 값이이 상수를 비트 OR는 c + +를 사용 하 여 만든 총 수 (**|**) 연산자:
- **dbFixedField** 필드 크기 (숫자 필드에 대 한 기본값)를 고정 됩니다.
- **dbVariableField** 필드 크기는 변수 (텍스트 필드에만 해당).
- **dbAutoIncrField** 새 레코드에 대 한 필드 값이 고유한 정수 (long) 변경할 수 없는 자동으로 증가 됩니다. Microsoft Jet 데이터베이스 테이블에 대해서만 지원 합니다.
- **dbUpdatableField** 필드 값을 변경할 수 있습니다.
- **dbDescending** 필드가를 내림차순으로 정렬 됩니다 (A-Z 또는 100-0) 순서 (field 개체의 인덱스 개체의 필드 컬렉션, MFC, 개체 자체 테이블 정의 개체에 포함 된 인덱스에만 적용 됨). 이 상수를 생략 하면 필드를 오름차순으로 정렬 됩니다 (A-Z 또는 0-100) 순서 (기본값).
이 속성의 설정은 검사할 때 사용할 수 있습니다는 c + + 비트-및 연산자 (**&**) 특정 특성에 대 한 테스트 합니다. 여러 특성을 설정할 때 적절 한 상수는 비트 OR 조합 하 여 결합 수 있습니다 (**|**) 연산자. 자세한 내용은 DAO 도움말의 "특성 Property" 항목을 참조 합니다.
*m_nOrdinalPosition*
다른 필드를 기준으로 표시 되는 DAO 필드 개체를 나타내는 필드 숫자 순서를 지정 하는 값입니다. 이 속성을 설정할 수 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다. 자세한 내용은 DAO 도움말의 "OrdinalPosition Property" 항목을 참조 합니다.
`m_bRequired`
DAO field 개체는 Null이 아닌 값을 필요한 지 여부를 나타냅니다. 이 속성이 **TRUE**, 필드는 Null 값을 허용 하지 않습니다. 로 설정 되어 필요한 경우 **FALSE**, AllowZeroLength 및 유효성 검사 규칙 속성 설정에 지정 된 조건을 만족 하는 값은 물론 Null 값 필드에 사용할 수 있습니다. 자세한 내용은 DAO 도움말의 "필수 속성" 항목을 참조 하십시오. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
*m_bAllowZeroLength*
나타냅니다 있는지 여부를 빈 문자열 ("")는 DAO 필드 개체를 사용 하는 텍스트 또는 메모 데이터 형식과 유효한 값이 있습니다. 이 속성이 **TRUE**, 빈 문자열은 유효한 값입니다. 이 속성 설정할 수 있습니다 **FALSE** 필드의 값을 설정 하려면 빈 문자열을 사용할 수 없습니다. 자세한 내용은 DAO 도움말의 "AllowZeroLength Property" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
`m_lCollatingOrder`
문자열 비교 또는 정렬에 대 한 텍스트 정렬 순서를 지정 합니다. 자세한 내용은 "사용자 지정 Windows 레지스트리 설정에 대 한 데이터 액세스" DAO 도움말의 항목을 참조 합니다. 목록이 반환 되는 가능한 값에 대 한 참조는 **m_lCollatingOrder** 의 멤버는 [CDaoDatabaseInfo](../../mfc/reference/cdaodatabaseinfo-structure.md) 구조입니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
`m_strForeignName`
관계, 기본 테이블에 있는 필드에 해당 하는 외래 테이블의 DAO field 개체의 이름을 지정 하는 값입니다. 자세한 내용은 DAO 도움말의 "ForeignName Property" 항목을 참조 합니다.
*m_strSourceField*
Field 개체 DAO tabledef, 레코드 집합 또는 querydef 개체에 포함 된 데이터 필드의 이름을 나타냅니다. 이 속성은 field 개체와 연결 된 원래 필드 이름을 나타냅니다. 예를 들어 원본 테이블에 필드의 이름을 관련이 없을 쿼리 필드에 있는 데이터의 원본 소스를 확인 하려면이 속성을 사용할 수 있습니다. 세부 정보를 DAO 도움말의 "원본 필드, SourceTable 속성" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
*m_strSourceTable*
Field 개체 DAO tabledef, 레코드 집합 또는 querydef 개체에 포함 된 데이터 테이블의 이름을 나타냅니다. 이 속성은 field 개체와 연결 된 원본 테이블 이름을 나타냅니다. 예를 들어 원본 테이블에 필드의 이름을 관련이 없을 쿼리 필드에 있는 데이터의 원본 소스를 확인 하려면이 속성을 사용할 수 있습니다. 세부 정보를 DAO 도움말의 "원본 필드, SourceTable 속성" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
`m_strValidationRule`
이 변경 되거나 테이블에 추가 되는 필드의 데이터 유효성을 검사 하는 값입니다. 자세한 내용은 DAO 도움말의 "ValidationRule Property" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
테이블 정의 대 한 관련된 정보에 대 한 참조는 **m_strValidationRule** 의 멤버는 [CDaoTableDefInfo](../../mfc/reference/cdaotabledefinfo-structure.md) 구조입니다.
`m_strValidationText`
DAO 필드 개체의 값은 유효성 검사 규칙 속성 설정으로 지정 된 유효성 검사 규칙을 충족 하지 않으면 응용 프로그램에서 표시 하는 메시지의 텍스트를 지정 하는 값입니다. 자세한 내용은 DAO 도움말의 "유효성 검사 텍스트 Property" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
*m_strDefaultValue*
DAO field 개체의 기본값입니다. 새 레코드를 만들면 DefaultValue 속성 설정이 자동으로 입력 값으로 필드에 대 한 합니다. 자세한 내용은 DAO 도움말의 "DefaultValue Property" 항목을 참조 합니다. 와 테이블 정의 대 한이 속성을 설정할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield)합니다.
## <a name="remarks"></a>설명
주, 보조 및 위의 모든에 대 한 참조 정보에서 반환 되는 방법을 나타내는 `GetFieldInfo` 클래스의 멤버 함수 [CDaoTableDef](../../mfc/reference/cdaotabledef-class.md#getfieldinfo), [CDaoQueryDef](../../mfc/reference/cdaoquerydef-class.md#getfieldinfo), 및 [ CDaoRecordset](../../mfc/reference/cdaorecordset-class.md#getfieldinfo)합니다.
Field 개체는 MFC 클래스에 의해 표시 되지 않습니다. MFC 개체는 다음 클래스는 DAO 개체 필드 개체의 컬렉션을 포함 하는 대신,: [CDaoTableDef](../../mfc/reference/cdaotabledef-class.md), [CDaoRecordset](../../mfc/reference/cdaorecordset-class.md), 및 [CDaoQueryDef](../../mfc/reference/cdaoquerydef-class.md)합니다. 이러한 클래스의 필드 정보를 일부 개별 항목에 액세스 하는 멤버 함수를 제공 하거나 인수를 한 번에 모두를 사용 하 여 액세스할 수 있습니다는 `CDaoFieldInfo` 호출 하 여 개체는 `GetFieldInfo` 포함 하는 개체의 멤버 함수입니다.
개체 속성을 검사 하기 위한 용도 외에도 사용할 수도 있습니다 `CDaoFieldInfo` 테이블 정의에서 새 필드를 만들기 위한 입력된 매개 변수를 생성 합니다. 간단한 옵션은이 작업을 사용할 수 있지만 보다 세부적으로 제어 하려는 경우에의 버전을 사용할 수 있습니다 [CDaoTableDef::CreateField](../../mfc/reference/cdaotabledef-class.md#createfield) 를 사용 하는 `CDaoFieldInfo` 매개 변수입니다.
검색 한 정보는 `GetFieldInfo` (필드를 포함 하는 클래스)의 멤버 함수에 저장 되는 `CDaoFieldInfo` 구조입니다. 호출 된 `GetFieldInfo` 필드 개체가 보관 되어 있는 Fields 컬렉션에 포함 하는 개체의 멤버 함수입니다. `CDaoFieldInfo`또한 정의 `Dump` 디버그에서 멤버 함수를 작성 합니다. 사용할 수 있습니다 `Dump` 의 내용을 덤프 하는 `CDaoFieldInfo` 개체입니다.
## <a name="requirements"></a>요구 사항
**헤더:** afxdao.h
## <a name="see-also"></a>참고 항목
[구조체, 스타일, 콜백 및 메시지 맵](../../mfc/reference/structures-styles-callbacks-and-message-maps.md)
[CDaoTableDef::GetFieldInfo](../../mfc/reference/cdaotabledef-class.md#getfieldinfo)
[CDaoRecordset::GetFieldInfo](../../mfc/reference/cdaorecordset-class.md#getfieldinfo)
[CDaoQueryDef::GetFieldInfo](../../mfc/reference/cdaoquerydef-class.md#getfieldinfo)
| 54.057803 | 408 | 0.676647 | kor_Hang | 1.000009 |
67e163b003b61958557539f222dbfee5110de5c0 | 1,969 | md | Markdown | docs/connect/jdbc/reference/getxaconnection-method.md | sql-aus-hh/sql-docs.de-de | edfac31211cedb5d13440802f131a1e48934748a | [
"CC-BY-4.0",
"MIT"
] | 1 | 2022-02-25T18:10:29.000Z | 2022-02-25T18:10:29.000Z | docs/connect/jdbc/reference/getxaconnection-method.md | sql-aus-hh/sql-docs.de-de | edfac31211cedb5d13440802f131a1e48934748a | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/connect/jdbc/reference/getxaconnection-method.md | sql-aus-hh/sql-docs.de-de | edfac31211cedb5d13440802f131a1e48934748a | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: GetXAConnection-Methode () | Microsoft-Dokumentation
ms.custom: ''
ms.date: 01/19/2017
ms.prod: sql
ms.prod_service: connectivity
ms.reviewer: ''
ms.technology: connectivity
ms.topic: conceptual
apiname:
- SQLServerXADataSource.getXAConnection ()
apilocation:
- sqljdbc.jar
apitype: Assembly
ms.assetid: b2710613-78b1-438f-b996-c7ae6f34381a
author: MightyPen
ms.author: genemi
manager: craigg
ms.openlocfilehash: a7cffeb3479174f5bc79eff52331f5a9d0e46e65
ms.sourcegitcommit: 61381ef939415fe019285def9450d7583df1fed0
ms.translationtype: MTE75
ms.contentlocale: de-DE
ms.lasthandoff: 10/01/2018
ms.locfileid: "47687678"
---
# <a name="getxaconnection-method-"></a>getXAConnection-Methode ()
[!INCLUDE[Driver_JDBC_Download](../../../includes/driver_jdbc_download.md)]
Stellt eine physische Datenbankverbindung her, die in einer verteilten Transaktion verwendet werden kann.
## <a name="syntax"></a>Syntax
```
public javax.sql.XAConnection getXAConnection()
```
## <a name="return-value"></a>Rückgabewert
Ein XAConnection-Objekt.
## <a name="exceptions"></a>Ausnahmen
java.sql.SQLException
## <a name="remarks"></a>Remarks
Diese GetXAConnection-Methode wird von der GetXAConnection-Methode in der javax.sql.XADataSource-Schnittstelle angegeben.
> [!NOTE]
> Diese Methode wird normalerweise von XA-Verbindungspoolimplementierungen und nicht vom regulären JDBC-Anwendungscode aufgerufen.
## <a name="see-also"></a>Weitere Informationen finden Sie unter
[getXAConnection-Methode (SQLServerXADataSource)](../../../connect/jdbc/reference/getxaconnection-method-sqlserverxadatasource.md)
[SQLServerXADataSource-Methoden](../../../connect/jdbc/reference/sqlserverxadatasource-methods.md)
[SQLServerXADataSource-Elemente](../../../connect/jdbc/reference/sqlserverxadatasource-members.md)
[SQLServerXADataSource-Klasse](../../../connect/jdbc/reference/sqlserverxadatasource-class.md)
| 34.54386 | 142 | 0.7613 | deu_Latn | 0.28681 |
67e2bd12db347ffc3a9a3d44302d7106e1a35b92 | 1,223 | md | Markdown | README.md | misa198/misapi-extension | 0d3b80928b306b7f63b03c1c5d3a41e5c5612304 | [
"MIT"
] | 1 | 2021-01-20T09:05:47.000Z | 2021-01-20T09:05:47.000Z | README.md | misa198/misapi-extension | 0d3b80928b306b7f63b03c1c5d3a41e5c5612304 | [
"MIT"
] | null | null | null | README.md | misa198/misapi-extension | 0d3b80928b306b7f63b03c1c5d3a41e5c5612304 | [
"MIT"
] | null | null | null | # MisaPi Extension
<p align="center">
<img src="https://raw.githubusercontent.com/misa198/misapi-extension/master/src/assets/logo.png?token=AMIRKUFJCB5LZA26KUUB7CLACEL6W" width="100px" />
<img src="https://raw.githubusercontent.com/misa198/misapi-extension/master/src/assets/logo-text.png?token=AMIRKUFEPB6IUZX55HZGES3ACEMHW" height="90px" />
<p align="center" style="font-size: 20px; color: #FF641A">
Theo dõi biến động giá sản phẩm trên Shopee.vn
</p>
</p>
## Mô tả
<p>MisaPi là tiện ích giúp theo dõi biến động giá 1 sản phẩm trên shopee.vn trong thời gian tối đa là 1 năm.
Phiên bản web có tại: <a href="https://misapi.tk" target="blank">MisaPi</a>.</p>
<p>Tiện ích dành cho các trình duyệt nhân <a href="https://github.com/chromium/chromium">Chromium</a> (Google Chrome, Microsoft Edge Chromium, Opera, Brave,...).</p>
<p align="center">
<img src="./docs/images/screenshot.gif" />
</p>
## Cài đặt
- Tải về phiên bản mới nhất tại <a href="https://github.com/misa198/misapi-extension/releases">đây</a>.
- Giải nén tệp vừa tải.
- Đi đến trang quản lý extension của trình duyệt.
- Bật chế độ dành cho nhà phát triển.
- Chọn "Tải tiện ích đã giải nén" và điều hướng đến thư mục vừa giải nén.
| 43.678571 | 165 | 0.718724 | vie_Latn | 0.998994 |
67e353b15120721a37536348e41b59bc0395b277 | 338 | md | Markdown | docs/attribution.md | trishores/swagger-toolkit | d125955b1ae7869369201f27ccc92119ed446999 | [
"MIT"
] | null | null | null | docs/attribution.md | trishores/swagger-toolkit | d125955b1ae7869369201f27ccc92119ed446999 | [
"MIT"
] | null | null | null | docs/attribution.md | trishores/swagger-toolkit | d125955b1ae7869369201f27ccc92119ed446999 | [
"MIT"
] | 2 | 2022-01-05T01:39:44.000Z | 2022-02-27T01:38:45.000Z | # Attribution
- OpenAPI Specification Repository for the sample [swagger file](https://github.com/OAI/OpenAPI-Specification/blob/main/examples/v2.0/json/petstore-simple.json)
- App icon based on image by [ptra](https://pixabay.com/users/ptra-359668/).
- Open-source .NET developer platform, WPF, JSON API, and Visual Studio by Microsoft. | 67.6 | 160 | 0.778107 | kor_Hang | 0.421549 |
67e38b06963afe2e16c4ce3c193763e78c319d93 | 3,081 | md | Markdown | docs/vs-2015/extensibility/vstextview-object.md | monkey3310/visualstudio-docs.pl-pl | adc80e0d3bef9965253897b72971ccb1a3781354 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/vs-2015/extensibility/vstextview-object.md | monkey3310/visualstudio-docs.pl-pl | adc80e0d3bef9965253897b72971ccb1a3781354 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/vs-2015/extensibility/vstextview-object.md | monkey3310/visualstudio-docs.pl-pl | adc80e0d3bef9965253897b72971ccb1a3781354 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Obiekt VSTextView | 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
f1_keywords:
- VSTextView
helpviewer_keywords:
- VSTextView object, reference
- views [Visual Studio SDK], reference
ms.assetid: 78272ddc-9718-4c65-a94e-a44a2e8d54f4
caps.latest.revision: 9
ms.author: gregvanl
manager: ghogen
ms.openlocfilehash: a09a4911eca71565b39ffdfab3cc31ec92233e06
ms.sourcegitcommit: 55f7ce2d5d2e458e35c45787f1935b237ee5c9f8
ms.translationtype: MT
ms.contentlocale: pl-PL
ms.lasthandoff: 08/22/2018
ms.locfileid: "42693956"
---
# <a name="vstextview-object"></a>VSTextView, obiekt
[!INCLUDE[vs2017banner](../includes/vs2017banner.md)]
Najnowszą wersję tego tematu znajduje się w temacie [obiekt VSTextView](https://docs.microsoft.com/visualstudio/extensibility/vstextview-object).
Widok tekstu jest oknem które umożliwia użytkownikom wyświetlanie i edytowanie tekst w formacie Unicode bufor tekstowy. Zasadniczo jest to widok co dotyczą większości użytkowników jako edytora. Ponieważ widok jest oddzielone z buforu różne warstwy tekstu (zawijanie wyrazów, konspektu tekstu i tak dalej), widoku nie może być dokładne reprezentacja tekstu w buforze. Aby uzyskać więcej informacji na temat widoku tekstu, zobacz [dostęp do theText widoku przy użyciu starszej wersji interfejsu API](../extensibility/accessing-thetext-view-by-using-the-legacy-api.md)
W poniższej tabeli przedstawiono interfejsów w <xref:Microsoft.VisualStudio.TextManager.Interop.VsTextView> obiektu.
|Interface|Opis|
|---------------|-----------------|
|[IDropSource](http://msdn.microsoft.com/library/windows/desktop/ms690071)|Standardowy interfejs OLE.|
|<xref:Microsoft.VisualStudio.OLE.Interop.IDropTarget>|Standardowy interfejs OLE.|
|<xref:Microsoft.VisualStudio.OLE.Interop.IObjectWithSite>|Standardowy interfejs OLE.|
|<xref:Microsoft.VisualStudio.OLE.Interop.IOleCommandTarget>|Standardowy interfejs OLE.|
|<xref:Microsoft.VisualStudio.TextManager.Interop.IVsCompoundAction>|Włącza funkcję tworzenia działania złożonego (czyli akcje, które są grupowane w jednostce pojedynczego Cofnij/ponów).|
|<xref:Microsoft.VisualStudio.TextManager.Interop.IVsTextView>|Zawiera podstawowe metody do zarządzania i uzyskiwania dostępu do tego widoku. `IVsTextView` nie jest wątek bezpieczne.|
|<xref:Microsoft.VisualStudio.Shell.Interop.IVsWindowPane>|Tworzy i zarządza okienka w oknie.|
|<xref:Microsoft.VisualStudio.TextManager.Interop.IVsLayeredTextView>|Współdziała z warstwami tekstu.|
|<xref:Microsoft.VisualStudio.TextManager.Interop.IVsThreadSafeTextView>|Wykonuje operacje na widok z innego wątku.|
## <a name="see-also"></a>Zobacz też
[Edytuj dane](http://msdn.microsoft.com/en-us/f08872bd-fd9c-4e36-8cf2-a2a2622ef986)
[Obiekt VSTextBuffer](../extensibility/vstextbuffer-object.md)
[Dostęp do theText widoku przy użyciu starszej wersji interfejsu API](../extensibility/accessing-thetext-view-by-using-the-legacy-api.md)
| 57.055556 | 567 | 0.793898 | pol_Latn | 0.957032 |
67e3aa529228f6cca794e80e2842a853b5e7b185 | 2,123 | md | Markdown | docs/web-service-reference/user-pox.md | isabella232/office-developer-exchange-docs.pt-BR | 8cfcb3b680209a345a8a30cf9b39ef2b773eadd9 | [
"CC-BY-4.0",
"MIT"
] | 1 | 2020-05-19T18:53:55.000Z | 2020-05-19T18:53:55.000Z | docs/web-service-reference/user-pox.md | isabella232/office-developer-exchange-docs.pt-BR | 8cfcb3b680209a345a8a30cf9b39ef2b773eadd9 | [
"CC-BY-4.0",
"MIT"
] | 2 | 2021-12-08T04:01:25.000Z | 2021-12-08T04:02:00.000Z | docs/web-service-reference/user-pox.md | isabella232/office-developer-exchange-docs.pt-BR | 8cfcb3b680209a345a8a30cf9b39ef2b773eadd9 | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: User (POX)
manager: sethgros
ms.date: 09/17/2015
ms.audience: Developer
ms.topic: reference
ms.localizationpriority: medium
api_type:
- schema
ms.assetid: 7c42b516-77f6-4aee-99d8-b866d82d793a
description: O elemento User fornece informações específicas do usuário.
ms.openlocfilehash: 832e0a63e75a08406b3aa397ac29ad5aa300cfe0
ms.sourcegitcommit: 54f6cd5a704b36b76d110ee53a6d6c1c3e15f5a9
ms.translationtype: MT
ms.contentlocale: pt-BR
ms.lasthandoff: 09/24/2021
ms.locfileid: "59522400"
---
# <a name="user-pox"></a>User (POX)
O **elemento User** fornece informações específicas do usuário.
[AutoDiscover (POX)](autodiscover-pox.md)
[Response (POX)](response-pox.md)
[User (POX)](user-pox.md)
```xml
<User>
<DisplayName/>
<LegacyDN/>
<DeploymentId/>
<AutoDiscoverSMTPAddress/>
</User>
```
## <a name="attributes-and-elements"></a>Atributos e elementos
As seções a seguir descrevem os atributos, os elementos filhos e os elementos pai.
### <a name="attributes"></a>Atributos
Nenhum
### <a name="child-elements"></a>Elementos filho
|**Elemento**|**Descrição**|
|:-----|:-----|
|[DisplayName (cadeia de caracteres)](displayname-string.md) <br/> |Representa o nome para exibição do usuário. <br/> |
|[LegacyDN (POX)](legacydn-pox.md) <br/> |Identifica a caixa de correio de um usuário pelo nome diferenciado herdado. <br/> |
|[DeploymentId (POX)](deploymentid-pox.md) <br/> |Identifica exclusivamente a floresta Exchange. <br/> |
|[AutoDiscoverSMTPAddress (POX)](autodiscoversmtpaddress-pox.md) <br/> |Contém o endereço SMTP do usuário que é usado para o processo de Descoberta Automática. <br/> |
### <a name="parent-elements"></a>Elementos pai
|**Elemento**|**Descrição**|
|:-----|:-----|
|[Response (POX)](response-pox.md) <br/> |Contém a resposta do serviço descoberta automática. <br/> |
## <a name="remarks"></a>Comentários
As solicitações e respostas de descoberta automática devem ser codificadas utf-8.
## <a name="see-also"></a>Confira também
[Elementos XML de Descoberta Automática POX para Exchange](pox-autodiscover-xml-elements-for-exchange.md)
| 29.901408 | 168 | 0.720207 | por_Latn | 0.883308 |
67e45d4ac310317339befbcf47acfa555a2c344e | 2,724 | md | Markdown | docs/extensibility/debugger/event-sources-visual-studio-sdk.md | BrainCraze/visualstudio-docs.de-de | 3758c943d5f4eacbdc0d975cb114f287018463dd | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/extensibility/debugger/event-sources-visual-studio-sdk.md | BrainCraze/visualstudio-docs.de-de | 3758c943d5f4eacbdc0d975cb114f287018463dd | [
"CC-BY-4.0",
"MIT"
] | null | null | null | docs/extensibility/debugger/event-sources-visual-studio-sdk.md | BrainCraze/visualstudio-docs.de-de | 3758c943d5f4eacbdc0d975cb114f287018463dd | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Ereignisquellen (Visual Studio SDK) | Microsoft Docs
ms.custom: ''
ms.date: 11/04/2016
ms.technology:
- vs-ide-sdk
ms.topic: conceptual
helpviewer_keywords:
- debugging [Debugging SDK], event sources
ms.assetid: b9ba0908-ae4c-4a64-aab1-bee453dd7a22
author: gregvanl
ms.author: gregvanl
manager: douge
ms.workload:
- vssdk
ms.openlocfilehash: 6d1dac50183422b6895f6496b7ca78d24312c33e
ms.sourcegitcommit: 6a9d5bd75e50947659fd6c837111a6a547884e2a
ms.translationtype: MT
ms.contentlocale: de-DE
ms.lasthandoff: 04/16/2018
---
# <a name="event-sources-visual-studio-sdk"></a>Ereignisquellen (Visual Studio SDK)
Es gibt zwei Quellen von Ereignissen: Debuggen von Debugging-Modul (Deutschland) und die Sitzung Manager (SDM). Aus einer bereitgestellten Kompatibilitätsrichtlinie gesendete Ereignisse sind ein Modul ungleich NULL aus dem SDM gesendete Ereignisse ein NULL-Modul vorhanden.
## <a name="example"></a>Beispiel
Im folgende Beispiel wird gezeigt, wie zum Senden der **IDebugProgramCreateEvent2** aus DE, das SDM.
```
CDebugProgramCreateEvent* pProgramCreateEvent = new CDebugProgramCreateEvent();
if (FAILED(pCallback->Event(m_pEngine, NULL, m_pProgram, NULL, pProgramCreateEvent, IID_IDebugProgramCreateEvent2, EVENT_ASYNCHRONOUS)))
{
// Handle failure here.
}
]
CEvent * pProgCreate = new CEvent(IID_IDebugProgramCreateEvent2, EVENT_ASYNCHRONOUS);
pProgCreate->SendEvent(pCallback, m_pEngine, (IDebugProgram2 *)this, NULL);
HRESULT CEvent::SendEvent(IDebugEventCallback2 *pCallback, IDebugEngine2 *pEngine, IDebugProgram2 *pProgram, IDebugThread2 *pThread) {
HRESULT hr;
if (m_dwAttrib & EVENT_STOPPING)
{
hr = SendStoppingEvent(pCallback, pEngine, pProgram, pThread);
}
else if (m_dwAttrib & EVENT_SYNCHRONOUS)
{
hr = SendSynchronousEvent(pCallback, pEngine, pProgram, pThread);
}
else
{
assert(m_dwAttrib == 0);
hr = SendAsynchronousEvent(pCallback, pEngine, pProgram, pThread);
}
return hr;
}
HRESULT CEvent::SendAsynchronousEvent(IDebugEventCallback2 *pCallback, IDebugEngine2 *pEngine, IDebugProgram2 *pProgram, IDebugThread2 *pThread) {
HRESULT hr;
// Make sure the CEvent object running this code is not deleted until the code completes.
AddRef();
pCallback->Event(pEngine, NULL, pProgram, pThread, (IDebugEvent2 *)this, m_riid, m_dwAttrib);
// No error recovery here.
hr = S_OK;
Release();
return hr;
}
```
## <a name="see-also"></a>Siehe auch
[Senden von Ereignissen](../../extensibility/debugger/sending-events.md) | 34.923077 | 275 | 0.707783 | yue_Hant | 0.289412 |
67e45e50f12a156b32772e26ab3898344fca3c80 | 11,272 | md | Markdown | articles/synapse-analytics/sql-data-warehouse/gen2-migration-schedule.md | pmsousa/azure-docs.pt-pt | bc487beff48df00493484663c200e44d4b24cb18 | [
"CC-BY-4.0",
"MIT"
] | 15 | 2017-08-28T07:46:17.000Z | 2022-02-03T12:49:15.000Z | articles/synapse-analytics/sql-data-warehouse/gen2-migration-schedule.md | pmsousa/azure-docs.pt-pt | bc487beff48df00493484663c200e44d4b24cb18 | [
"CC-BY-4.0",
"MIT"
] | 407 | 2018-06-14T16:12:48.000Z | 2021-06-02T16:08:13.000Z | articles/synapse-analytics/sql-data-warehouse/gen2-migration-schedule.md | pmsousa/azure-docs.pt-pt | bc487beff48df00493484663c200e44d4b24cb18 | [
"CC-BY-4.0",
"MIT"
] | 17 | 2017-10-04T22:53:31.000Z | 2022-03-10T16:41:59.000Z | ---
title: Migrar a sua piscina SQL dedicada (anteriormente SQL DW) para a Gen2
description: Instruções para migrar uma piscina SQL dedicada existente (anteriormente SQL DW) para a Gen2 e o calendário de migração por região.
services: synapse-analytics
author: mlee3gsd
ms.author: anjangsh
ms.reviewer: jrasnick
manager: craigg
ms.assetid: 04b05dea-c066-44a0-9751-0774eb84c689
ms.service: synapse-analytics
ms.topic: article
ms.subservice: sql-dw
ms.date: 01/21/2020
ms.custom: seo-lt-2019, azure-synapse
ms.openlocfilehash: 0ce07ff3ca5fbcc9776792129d3bfb4ef54efe7d
ms.sourcegitcommit: f28ebb95ae9aaaff3f87d8388a09b41e0b3445b5
ms.translationtype: MT
ms.contentlocale: pt-PT
ms.lasthandoff: 03/29/2021
ms.locfileid: "98120126"
---
# <a name="upgrade-your-dedicated-sql-pool-formerly-sql-dw-to-gen2"></a>Atualize a sua piscina SQL dedicada (anteriormente SQL DW) para a Gen2
A Microsoft está a ajudar a reduzir o custo de entrada de executar uma piscina SQL dedicada (anteriormente SQL DW). Níveis de computação mais baixos capazes de lidar com consultas exigentes estão agora disponíveis para piscina SQL dedicada (anteriormente SQL DW). Leia o anúncio completo [Suporte de nível de computação inferior para a Gen2](https://azure.microsoft.com/blog/azure-sql-data-warehouse-gen2-now-supports-lower-compute-tiers/). A nova oferta está disponível nas regiões anotados no quadro abaixo. Para as regiões apoiadas, a piscina SQL dedicada à Gen1 existente (anteriormente SQL DW) pode ser atualizada para a Gen2 através de:
- **O processo de atualização automática:** As atualizações automáticas não arrancam assim que o serviço estiver disponível numa região. Quando as atualizações automáticas começarem numa região específica, serão efetuadas atualizações individuais de armazém de dados durante o seu horário de manutenção selecionado.
- [**Auto-actualização para a Gen2:**](#self-upgrade-to-gen2) Pode controlar quando fazer um upgrade para a Gen2. Se a sua região ainda não estiver apoiada, pode restaurar de um ponto de restauração diretamente para uma instância Gen2 numa região apoiada.
## <a name="automated-schedule-and-region-availability-table"></a>Tabela de Disponibilidade de Horário Automatizado e Região
O quadro seguinte resume por região quando o nível de cálculo da Baixa Gen2 estará disponível e quando as atualizações automáticas começarem. As datas estão sujeitas a alterações. Volte a verificar quando a sua região fica disponível.
\* indica que um calendário específico para a região está atualmente indisponível.
| **Região** | **Menor Gen2 disponível** | **Começam as atualizações automáticas** |
|:--- |:--- |:--- |
| Leste do Canadá |1 de junho de 2020 |1 de julho de 2020 |
| Leste da China |\* |\* |
| Norte da China |\* |\* |
| Alemanha Central |\* |\* |
| Alemanha Centro-Oeste |Disponível |1 de maio de 2020 |
| Oeste da Índia |Disponível |1 de maio de 2020 |
## <a name="automatic-upgrade-process"></a>Processo de atualização automática
Com base no gráfico de disponibilidade acima, vamos agendar upgrades automatizados para as suas instâncias da Gen1. Para evitar interrupções inesperadas na disponibilidade da piscina SQL dedicada (anteriormente SQL DW), as atualizações automatizadas serão programadas durante o seu horário de manutenção. A capacidade de criar uma nova instância gen1 será desativada nas regiões submetidas a um upgrade automático para a Gen2. A Gen1 será depreciada assim que as atualizações automáticas estiverem concluídas. Para obter mais informações sobre os horários, consulte [um horário de manutenção](maintenance-scheduling.md#view-a-maintenance-schedule)
O processo de upgrade envolverá uma breve queda na conectividade (aproximadamente 5 min) à medida que reiniciamos a sua piscina DE SQL dedicada (anteriormente SQL DW). Uma vez reiniciada a sua piscina SQL (anteriormente SQL DW), estará totalmente disponível para utilização. No entanto, poderá sofrer uma degradação no desempenho enquanto o processo de atualização continua a atualizar os ficheiros de dados em segundo plano. O tempo total para a degradação do desempenho vai variar consoante o tamanho dos ficheiros de dados.
Também pode acelerar o processo de atualização de ficheiros de dados executando [a reconstrução do Alter Index](sql-data-warehouse-tables-index.md) em todas as tabelas de colunas primárias utilizando uma SLO maior e classe de recursos após o reinício.
> [!NOTE]
> A reconstrução do Alter Index é uma operação offline e as tabelas não estarão disponíveis até que a reconstrução esteja concluída.
## <a name="self-upgrade-to-gen2"></a>Auto-upgrade para a Gen2
Você pode optar por auto-upgrade seguindo estes passos em uma piscina SQL dedicada gen1 existente (anteriormente SQL DW). Se optar por fazer um auto-upgrade, deve completá-lo antes do início do processo de atualização automática na sua região. Ao fazê-lo, evita-se qualquer risco de as atualizações automáticas provocarem um conflito.
Existem duas opções para realizar um auto-upgrade. Você pode atualizar seu atual pool SQL dedicado (anteriormente SQL DW) no lugar ou você pode restaurar uma piscina SQL dedicada Gen1 (anteriormente SQL DW) em um exemplo Gen2.
- [Upgrade no local](upgrade-to-latest-generation.md) - Esta opção irá atualizar a sua piscina SQL dedicada à Gen1 (anteriormente SQL DW) para a Gen2. O processo de upgrade envolverá uma breve queda na conectividade (aproximadamente 5 min) à medida que reiniciamos a sua piscina DE SQL dedicada (anteriormente SQL DW). Uma vez reiniciado, estará totalmente disponível para utilização. Se sentir problemas durante a atualização, abra um pedido de [apoio](sql-data-warehouse-get-started-create-support-ticket.md) e refira a "atualização gen2" como a causa possível.
- [Upgrade do ponto de restauro](sql-data-warehouse-restore-points.md) - Crie um ponto de restauro definido pelo utilizador na sua piscina SQL dedicada à Gen1 (anteriormente SQL DW) e, em seguida, restaure diretamente para uma instância Gen2. A piscina SQL dedicada à Gen1 existente (anteriormente SQL DW) permanecerá no lugar. Uma vez concluída a restauração, a sua piscina SQL dedicada à Gen2 (anteriormente SQL DW) estará totalmente disponível para utilização. Uma vez executado todos os processos de teste e validação na instância de Gen2 restaurada, a instância original da Gen1 pode ser eliminada.
- Passo 1: A partir do portal Azure, [crie um ponto de restauro definido pelo utilizador](sql-data-warehouse-restore-active-paused-dw.md).
- Passo 2: Ao restaurar de um ponto de restauro definido pelo utilizador, desaponte o "Nível de desempenho" para o seu nível gen2 preferido.
Pode observar um período de degradação do desempenho enquanto o processo de atualização continua a atualizar os ficheiros de dados em segundo plano. O tempo total para a degradação do desempenho vai variar consoante o tamanho dos ficheiros de dados.
Para acelerar o processo de migração de dados de fundo, pode forçar imediatamente o movimento de dados executando [a reconstrução do Alter Index](sql-data-warehouse-tables-index.md) em todas as tabelas de colunas primárias que estaria a consultar numa SLO maior e classe de recursos.
> [!NOTE]
> A reconstrução do Alter Index é uma operação offline e as tabelas não estarão disponíveis até que a reconstrução esteja concluída.
Se encontrar algum problema com a sua piscina SQL dedicada (anteriormente SQL DW), crie um pedido de [apoio](sql-data-warehouse-get-started-create-support-ticket.md) e referência "atualização Gen2" como a causa possível.
Para mais informações, consulte [Upgrade para a Gen2](upgrade-to-latest-generation.md).
## <a name="migration-frequently-asked-questions"></a>Migração frequentemente fez perguntas
**P: A Gen2 custa o mesmo que a Gen1?**
- R: Sim.
**P: Como é que as atualizações vão afetar os meus scripts de automação?**
- R: Qualquer script de automatização que refira um Objetivo de Nível de Serviço deve ser alterado para corresponder ao equivalente gen2. Consulte os detalhes [aqui.](upgrade-to-latest-generation.md#upgrade-in-a-supported-region-using-the-azure-portal)
**P: Quanto tempo demora normalmente um auto-upgrade?**
- R: Pode atualizar no local ou fazer upgrade a partir de um ponto de restauro.
- A atualização no local fará com que a sua piscina SQL dedicada (anteriormente SQL DW) faça uma pausa momentânea e retome. Um processo de fundo continuará enquanto a piscina de SQL dedicada (anteriormente SQL DW) está on-line.
- Demora mais tempo se estiver a atualizar através de um ponto de restauro, porque a atualização passará por todo o processo de restauro.
**P: Quanto tempo demorará a atualização automática?**
- R: O tempo de paragem real para a atualização é apenas o tempo necessário para parar e retomar o serviço, que está entre 5 a 10 minutos. Após o período de indisponibilidade breve, um processo em segundo plano vai executar uma migração de armazenamento. O tempo de duração do processo de fundo depende do tamanho da sua piscina SQL dedicada (anteriormente SQL DW).
**P: Quando será feita esta atualização automática?**
- R: Durante o seu horário de manutenção. Aproveitar o seu horário de manutenção escolhido minimizará a perturbação do seu negócio.
**P: O que devo fazer se o meu processo de atualização de fundo parece estar preso?**
- R: Inicie um reindexo das suas mesas de colunas. Note que a reindexexão da tabela estará offline durante esta operação.
**P: E se a Gen2 não tiver o objetivo de nível de serviço que tenho na Gen1?**
- R: Se estiver a executar um DW600 ou DW1200 na Gen1, é aconselhável utilizar DW500c ou DW1000c, respectivamente, uma vez que a Gen2 fornece mais memória, recursos e um desempenho superior ao da Gen1.
**P: Posso desativar o geo-backup?**
- R: Não. Geo-backup é uma funcionalidade de empresa para preservar a disponibilidade da sua piscina SQL (anteriormente SQL DW) no caso de uma região ficar indisponível. Abra um [pedido de apoio](sql-data-warehouse-get-started-create-support-ticket.md) se tiver mais preocupações.
**P: Existe uma diferença na sintaxe T-SQL entre a Gen1 e a Gen2?**
- R: Não há alteração na sintaxe linguística T-SQL da Gen1 para a Gen2.
**P: A Gen2 suporta janelas de manutenção?**
- R: Sim.
**P: Serei capaz de criar uma nova instância da Gen1 depois de a minha região ter sido atualizada?**
- R: Não. Após a atualização de uma região, a criação de novos casos da Gen1 será desativada.
## <a name="next-steps"></a>Passos seguintes
- [Atualizar passos](upgrade-to-latest-generation.md)
- [Janelas de manutenção](maintenance-scheduling.md)
- [Monitor de saúde de recursos](../../service-health/resource-health-overview.md?toc=/azure/synapse-analytics/sql-data-warehouse/toc.json&bc=/azure/synapse-analytics/sql-data-warehouse/breadcrumb/toc.json)
- [Rever Antes de iniciar uma migração](upgrade-to-latest-generation.md#before-you-begin)
- [Atualizar no local e atualizar a partir de um ponto de restauro](upgrade-to-latest-generation.md)
- [Criar um ponto de restauro definido pelo utilizador](sql-data-warehouse-restore-points.md)
- [Saiba como restaurar a Gen2](sql-data-warehouse-restore-active-paused-dw.md)
- [Abra um pedido de apoio ao Azure Synapse Analytics](./sql-data-warehouse-get-started-create-support-ticket.md) | 82.882353 | 647 | 0.789656 | por_Latn | 0.999862 |
67e49856f2b0ccaea286c087fa568fb172327141 | 57 | md | Markdown | Databases/Postgres/Get active Connections/README.md | 0x4447/0x4447-Scripts | 3ac525145db9d0258850b3640b422d7eaada014e | [
"MIT"
] | 1 | 2019-01-05T18:18:41.000Z | 2019-01-05T18:18:41.000Z | Databases/Postgres/Get active Connections/README.md | 0x4447/0x4447-Scripts | 3ac525145db9d0258850b3640b422d7eaada014e | [
"MIT"
] | 5 | 2018-10-16T08:16:53.000Z | 2018-12-03T20:50:24.000Z | Databases/Postgres/Get active Connections/README.md | 0x4447/0x4447-Scripts | 3ac525145db9d0258850b3640b422d7eaada014e | [
"MIT"
] | null | null | null | Get Active Connections
`SELECT * FROM pg_stat_activity;` | 19 | 33 | 0.807018 | kor_Hang | 0.605147 |
67e69f9e7c7ff4f7adbc8d44eb2c157d1e600e96 | 1,389 | md | Markdown | docs/smtp.md | gerMdz/reservations | 1e56a16998c9bb3ebead3ebd6079910c02373e29 | [
"MIT"
] | 1 | 2021-04-24T21:52:02.000Z | 2021-04-24T21:52:02.000Z | docs/smtp.md | gerMdz/reservations | 1e56a16998c9bb3ebead3ebd6079910c02373e29 | [
"MIT"
] | 3 | 2021-04-22T22:27:32.000Z | 2021-09-04T16:34:21.000Z | docs/smtp.md | gerMdz/reservations | 1e56a16998c9bb3ebead3ebd6079910c02373e29 | [
"MIT"
] | null | null | null | ## Bienvenido a PayunPILE
### SMTP
La configuración del servidor de correos se realiza desde el archivo.
Se basa en el componente [Mailer](https://symfony.com/components/Mailer) de [Symfony](https://symfony.com)
```
.env (archivo de distribución original)
.env.local (archivo de configuración en desarrollo)
.env.local.php (archivo de configuración en producción)
```
`
MAILER_DSN=smtp://user:pass@host:puerto?encryption=tls&auth_mode=login
`
El código que procesa los correos se encuentra en el servicio Mailer
```
src/Service/Mailer.php
```
Este es el archivo que debe modificar si desea cambiar la forma
de actuar de reservas.
#### Menú
[Volver al inicio][10]
#### PayunPILE se base en
- [Symfony][1] framework PHP.
- [Bootstrap](https://getbootstrap.com/) plantillas.
- [FontAwesome](https://fortawesome.github.io/Font-Awesome/) icons.
Con licencia [MIT](https://github.com/gerMdz/PayunPILE/blob/main/LICENSE)
Uso [PhpStorm][5]
[1]: https://symfony.com
[2]: https://symfony.com/doc/current/reference/requirements.html
[3]: https://symfony.com/doc/current/cookbook/configuration/web_server_configuration.html
[4]: https://symfony.com/download
[5]: https://jb.gg/OpenSource.
[6]: https://github.com/gerMdz/payunpile
[7]: https://germdz.github.io/incalinks/
[8]: https://github.com/gerMdz/PayunPILE.git
[10]: https://germdz.github.io/PayunPILE/
[11]: https://twig.symfony.com/ | 29.553191 | 106 | 0.743701 | spa_Latn | 0.397924 |
67e80047c70ff1cee130a5a432eeaafaa797b865 | 7,480 | md | Markdown | CONTRIBUTING.md | AAMasters/UsersModule | 22d7a643380bf6b407b1e5a19c826133bd3107b8 | [
"Apache-2.0"
] | null | null | null | CONTRIBUTING.md | AAMasters/UsersModule | 22d7a643380bf6b407b1e5a19c826133bd3107b8 | [
"Apache-2.0"
] | null | null | null | CONTRIBUTING.md | AAMasters/UsersModule | 22d7a643380bf6b407b1e5a19c826133bd3107b8 | [
"Apache-2.0"
] | null | null | null | # Contributing
We are thrilled you are interested in contributing to this repository. Your help may be essential to the project's success and we want you in!
Superalgos is a collective project, currently at a very early stage. Although this repository is not open source software yet, we do welcome contributions from the community.
Contributions are deemed _voluntary work_. There might be incentives in place for certain kinds of contributions. Contact us for more information in this regard.
In any case, contributors agree to provide an express grant of patent rights for their contributions. Submitting Pull Requests to this repository represents an express agreement with the terms of our Balanced Contributor Intellectual Property Agreement. This agreement is a direct implementation of GitHub's [Balanced Employee Intellectual Property Agreement 1.0.1](https://github.com/github/balanced-employee-ip-agreement/blob/master/Balanced_Employee_IP_Agreement.md).
# Balanced Contributor Intellectual Property Agreement 1.0.1
This BALANCED CONTRIBUTOR INTELLECTUAL PROPERTY AGREEMENT is between person or team submitting Pull Requests to this repository and Superalgos.org ("Project").
**What is this?** This is the Project's Intellectual Property Agreement ("Agreement"). If you've worked in the technology space before, there's a good chance that you've run across one or more of these in the past. This document is the official, entire and exclusive agreement on what intellectual property ("IP") is yours, and what belongs to the Project.
**Why is this?** The Project needs to be clear on what IP it owns and has rights to. Its customers, contributors, and investors depend on the Project having the legal rights to the products and services it is providing so that the Project can continue operating and doing business.
The Project also believes that it's important to be clear on what it doesn't own. The Project doesn't want you looking over your shoulder every time you work on something personal or worrying that the Project will someday seize your open source non-lethal mousetrap simulation software. In other words, the Project isn't interested in appropriating your personal projects.
**Read this.** Please read this document and be sure you understand it before you submit any Pull Requests. Due to legal risk and corporate obligations, the Project cannot, by and large, negotiate its terms. If you feel you have a particular circumstance that keeps you from signing, please let the Project's legal department ("Legal") know. And, of course, you're always free and encouraged to get your own legal counsel to explain anything you're not clear on.
Cool? Then, by submitting your first Pull Request, and as a condition of your contribution, you agree to the following:
1. **What the Project owns.** The Project owns any IP ("Project IP") that you create, or help create _as its contributor_, but only if it meets one or more of these additional conditions: The IP was (i) related to an existing or prospective Project product or service at the time you developed, invented, or created it, (ii) developed for use by the Project, or (iii) developed or promoted with existing Project IP or with the Project's endorsement. You hereby grant and assign, and will grant and assign, to the Project all rights and interests in all Project IP.
"Project IP" includes concepts, designs, developments, discoveries, ideas, improvements, inventions, trade secrets, trademarks, and works of authorship.
2. **What the Project doesn't own.** If you create IP that doesn't fit into one of the categories listed above, the Project doesn't own it. In other words, the Project doesn't own concepts, designs, developments, discoveries, ideas, improvements, inventions, trade secrets, trademarks, or works of authorship that you develop, invent, or create that do not meet any of the conditions in Section 1.
3. **Contribution of your IP to Project projects.** If you include your own IP – such as IP you created prior to working for the Project – into a Project product or service, it's still yours, of course, but you grant the Project a non-exclusive, irrevocable, fully paid-up, royalty-free, perpetual, sublicensable, transferable, worldwide license to use it without restriction in any way or implementation, in modified form, or as is, by itself, or incorporated into another product or service ("License"). If you include your name in any project over which the Project would have rights under this Agreement, such as in a copyright notice or a comment in code or documentation, then the License covers the rights associated with that use of your name as well.
4. **Your contributions to non-Project projects.** The Project recognizes that you may be engaged in work that requires you to submit IP to entities other than the Project, such as open source projects used by the Project. Please make sure that Legal is aware of what you're working on so that Legal can help with any licensing issues. If any project asks you to sign a contribution agreement, you should check with Legal before doing so. These agreements may be legally binding on the Project and so should be run through Legal first.
5. **Voluntary Works** All Project IP that you are involved with or create as part of your work for the Project is voluntary work which does not require compensation. There might be incentives in place for certain kinds of contributions. Feel free to contact the Project to learn more.
6. **No conflicts.** You agree that you don't have any outstanding agreements or obligations that conflict with those in this Agreement, and that you won't enter into conflicting agreements in the future.
7. **IP protection.** The Project might someday need to show the work that went into the development of IP that it uses or has used, or to make government filings to establish that it owns the IP or has rights over it. To help in those situations, you agree not to destroy any records you maintain relating to the development of any Project IP or IP under License (together, "All IP"), and, if the Project asks, to provide those records to the Project. You agree to help the Project secure and defend its rights in All IP. For your help the Project will compensate you at a reasonable rate. If the Project is unable to secure your help, you authorize the Project to act on your behalf (as your agent and attorney-in-fact) in securing all rights related to All IP.
8. **Confidentiality.** As an contributor or contractor of the Project, you will have access to sensitive confidential information that is important to the Project's business. You are responsible for keeping this information confidential, including after you end your work for the Project.
"Confidential Information" includes non-public technical details about our products or services, financial information, business strategies and forecasts, customer data, or any other information, data or know-how that is valuable to the Project because it is not publicly known.
The Project's Confidential Information is sensitive and we expect that you'll treat it as such. You agree to only use the Project's Confidential Information for the purpose of performing your contribution and for the benefit of the Project. You will do your best to keep Confidential Information secret. If you are not sure if something is Confidential Information, you should assume that it is, until you can confirm otherwise.
| 162.608696 | 763 | 0.797594 | eng_Latn | 0.999882 |
67e813bfa5f07d71af9e68da3fda9b77cb8cb97e | 5,316 | md | Markdown | _posts/2017-05-17-juegos.md | alvarmaciel/quintogrado | d4ebae86168c817f126525d6b196111b4da45c0d | [
"Apache-2.0"
] | null | null | null | _posts/2017-05-17-juegos.md | alvarmaciel/quintogrado | d4ebae86168c817f126525d6b196111b4da45c0d | [
"Apache-2.0"
] | 14 | 2017-03-24T13:25:13.000Z | 2017-05-29T14:07:51.000Z | _posts/2017-05-17-juegos.md | alvarmaciel/quintogrado | d4ebae86168c817f126525d6b196111b4da45c0d | [
"Apache-2.0"
] | null | null | null | ---
layout: post
title: Juegos y juguetes
author: Alvar maciel
tags: [prácticas del lenguaje, proyectos, Matemática]
subtitle: producción de juegos y juguetes para habitar mejor la escuela
category: proyectos
---
Este proyecto, es una apuesta para fomentar un tipo de actividad lúdica, que colabore para que el ambiente de la escuela se tranquilice un poco. Dado que los juegos que los chicxs establecen casi siempre estan mediado por algún tipo violencia física.
Nos proponemos construir con los estudiantes:
- Diferentes juegos de mesa
- Reglas para juegos con papel y lápiz
- Juguetes sencillos para los más chicos
Muchos de estos juegos se extrajeron de [Juegos de mesa con tapitas de refresco](http://ajedrezcontapitas.blogspot.com.ar/)
## Brotes
- Este es el primer juego que se presenta. Se hace la presentación en el pizarrón y se abre un espacio para jugar
Brotes (en inglés sprouts) o juego del drago, es un juego de lápiz y papel con interesantes propiedades matemáticas. Los primeros que lo jugaron fueron los matemáticos John Horton Conway y Michael S. Paterson en la Universidad de Cambridge en 1967.
![Una partida de brotes de dos puntos](https://upload.wikimedia.org/wikipedia/commons/thumb/b/b6/Sprouts-2spot-game.png/300px-Sprouts-2spot-game.png)
Se trata de un juego para dos jugadores, que comienza con unos pocos puntos (llamados brotes) en una hoja de papel. Por turnos, los jugadores van uniendo un brote con otro (o consigo mismo) mediante una línea (llamada rama) y añadiendo un nuevo brote sobre la línea recién dibujada. El dibujo de las nuevas ramas tiene ciertas restricciones:
- Puede tener cualquier trazado, siempre que no se corte a sí misma o a otra línea ya dibujada.
- Una rama no puede pasar por otros brotes distintos del inicial y el final de la misma.
- De ningún brote pueden salir más de tres ramas, quedando un brote anulado (o muerto) cuando cumple esta condición.
Pierde el juego el jugador que no es capaz de trazar una nueva rama cumpliendo las condiciones anteriores.
El diagrama se inicia con dos puntos. Después del cuarto movimiento, la mayoría de los brotes están muertos pues de ellos salen tres líneas. Comoquiera que es imposible realizar un nuevo movimiento, el primer jugador pierde la partida.
[Fuente](https://es.wikipedia.org/wiki/Brotes_(juego))
## Yaguareté
![](http://2.bp.blogspot.com/-uMdHqwfrs8c/UbkYt8TrddI/AAAAAAAAB8I/UrhEGFrlMy8/s200/yaguarete+min.png)
Los Juegos de Jaguar son juegos populares entre los pueblos nativos sudamericanos y difieren entre ellos apenas en detalles del tablero o la cantidad de fichas (normalmente entre 13 y 16). Un jugador tiene una ficha de un color, el yaguareté, posicionado en la última línea, en la intersección central de su cueva. Del lado opuesto del tablero tiene el otro jugador 15 fichas de otro color, los perros.
Comienza el juego el yaguareté. Se mueve por turnos, una ficha, una intersección. El yaguareté puede moverse en todas las direcciones, los perros no pueden moverse hacia atrás. El yaguareté captura saltando por encima de un perro a una intersección vacía adyacente. El perro capturado se quita del tablero. Múltiples capturas no son permitidas. Los perros no capturan. Gana el yaguareté si no puede ser inmovilizado, ganan los perros si logran inmovilizar al yaguareté.
[Más información](https://es.wikipedia.org/wiki/Adugo)
### Secuencia:
- Presentación del juego, explicando sobre qué se juega y cómo se juega
- Producción de un tablero pequeño en hojas cuadriculadas siguiendo instrucciones
- Primero vamos a hacer un tablero pequeño en una hoja cuadriculada, usando regla y lápices o biromes, siguiendo las siguientes instrucciones
- Hacer el cuadrado A que tenga 10 cuadraditos de lado
- Trazar la línea vertical que divide al cuadrado en dos rectángulos, justo en la mitad (cuadradito 5)
- Trazar la línea horizontal que divide al cuadrado en dos rectángulos, justo en la mitad (cuadradito 5)
- Trazar las dos diagonales (línea que va de un vértice del cuadrado al opuesto y pasa por la mitad)
- Hacer otro cuadrado exactamente igual al lado del cuadrado A. Este cuadrado se llamará B
- Hacer otro cuadrado exactamente igual abajo del cuadrado A. Este cuadrado se llamará C
- Hacer otro cuadrado exactamente igual al lado del cuadrado C. Este cuadrado se llamará D
- Dejar 10 cuadraditos debajo del cuadrado D
- Trazar una linea de 20 cuadraditos, empezando donde empieza el cuadrado A y terminando donde termina el cuadrado B
- Trazar un segmento que una las puntas de la línea anterior con la mitad del cuadrado grande (se forma un triángulo)
- Trazar un segmento vertical que divida a la mitad el triángulo
- Trazar un segmento horizontal que divida a la mitad el triángulo
- unir el extremo de la base de la línea vertical con los extremos de la línea horizontal que trazamos en el triángulo
- Producción de las fichas
- Recortar 16 cuadrados de 4 cuadraditos de lado
- Pintar de negro uno de los cuadrados
- ¡Jugar!
## Escribiendo las reglas de los juegos
Hoy vamos a aprender a escribir las reglas de los juegos, para eso tenemos que tener en cuenta:
- Poner el nombre del juego.
- Indicar el número de jugadores y el material que necesitamos.
- Redactar las reglas del juego siguiendo un orden.
- Repasar lo que escribieron.
| 69.947368 | 469 | 0.790256 | spa_Latn | 0.999136 |
67e8c610019d99397049e965d0b293c932b67d6c | 694 | md | Markdown | docs/GBinanceFuturesClient-BinanceFuturesClient-UseTestnet(bool).md | Guzik1/BinanceFuturesClient | 589e028ee61b3577141eaf48e7b3aac98e9958d7 | [
"MIT"
] | 6 | 2020-04-18T23:00:50.000Z | 2021-04-07T04:58:59.000Z | docs/GBinanceFuturesClient-BinanceFuturesClient-UseTestnet(bool).md | Guzik1/BinanceFuturesClient | 589e028ee61b3577141eaf48e7b3aac98e9958d7 | [
"MIT"
] | 2 | 2020-04-29T11:44:41.000Z | 2020-09-22T14:18:25.000Z | docs/GBinanceFuturesClient-BinanceFuturesClient-UseTestnet(bool).md | Guzik1/BinanceFuturesClient | 589e028ee61b3577141eaf48e7b3aac98e9958d7 | [
"MIT"
] | 1 | 2020-06-22T03:08:14.000Z | 2020-06-22T03:08:14.000Z | #### [GBinanceFuturesClient](./index.md 'index')
### [GBinanceFuturesClient](./GBinanceFuturesClient.md 'GBinanceFuturesClient').[BinanceFuturesClient](./GBinanceFuturesClient-BinanceFuturesClient.md 'GBinanceFuturesClient.BinanceFuturesClient')
## BinanceFuturesClient.UseTestnet(bool) Method
Use testnet for own app testing. Testnet does not have all endpoints.
```csharp
public void UseTestnet(bool use);
```
#### Parameters
<a name='GBinanceFuturesClient-BinanceFuturesClient-UseTestnet(bool)-use'></a>
`use` [System.Boolean](https://docs.microsoft.com/en-us/dotnet/api/System.Boolean 'System.Boolean')
True for use testnet, false for disable testneta and set norlmal url address.
| 53.384615 | 196 | 0.783862 | yue_Hant | 0.495047 |
67ea04498db895acc0e333b149b251db06e1172f | 1,058 | md | Markdown | README.md | realkotob/FreeRoamRoguelikeRacerPrototype | 09295b1f8dd66992d2583f246b78360ae276e60a | [
"MIT"
] | 86 | 2017-06-15T13:46:52.000Z | 2022-03-17T09:49:27.000Z | README.md | realkotob/FreeRoamRoguelikeRacerPrototype | 09295b1f8dd66992d2583f246b78360ae276e60a | [
"MIT"
] | 2 | 2020-05-12T09:04:39.000Z | 2020-06-30T02:20:25.000Z | README.md | realkotob/FreeRoamRoguelikeRacerPrototype | 09295b1f8dd66992d2583f246b78360ae276e60a | [
"MIT"
] | 15 | 2018-01-08T00:18:31.000Z | 2022-03-01T10:40:43.000Z | # FreeRoamRoguelikeRacerPrototype
This is a Godot 3.3. project.
For a 2.1.4 version (missing many features), see the 2.1.4 branch.
Mostly an exploration of procedural generation of roads/city.
Features
* main menu
* loading screen
* procedural map
* procedural placement of time trial, speed trap and race markers (and finish markers if applicable)
* race multiple opponents at a time
* procedural generation of road segments (straight/curved)
* procedural placement of said segments
* procedural T and 4-way intersections
* procedurally connecting intersections
* procedural buildings
* procedural car
* car visual mesh deforms on hit
* pause menu
* rear view mirror in cockpit view
* two kinds of AI (traffic and racer)
* 2d minimap using a viewport and a camera
Keys
* Arrows or WASD to drive (or an on-screen joystick for mouse steering as an option)
* R to reset car on the wheels
* C to switch between cockpit and chase cameras
* Q/E to peek left/right in cockpit camera
* Z for the camera to look back
* T to switch to a top-down debug camera
| 28.594595 | 100 | 0.772212 | eng_Latn | 0.997504 |
67ea1a64605682aa0123a8453a07edd2a599aae2 | 106 | md | Markdown | src/__tests__/fixtures/unfoldingWord/en_tq/jer/26/12.md | unfoldingWord/content-checker | 7b4ca10b94b834d2795ec46c243318089cc9110e | [
"MIT"
] | null | null | null | src/__tests__/fixtures/unfoldingWord/en_tq/jer/26/12.md | unfoldingWord/content-checker | 7b4ca10b94b834d2795ec46c243318089cc9110e | [
"MIT"
] | 226 | 2020-09-09T21:56:14.000Z | 2022-03-26T18:09:53.000Z | src/__tests__/fixtures/unfoldingWord/en_tq/jer/26/12.md | unfoldingWord/content-checker | 7b4ca10b94b834d2795ec46c243318089cc9110e | [
"MIT"
] | 1 | 2022-01-10T21:47:07.000Z | 2022-01-10T21:47:07.000Z | # Where do the people take him to judge him?
They take him to the gateway of the New Gate of the temple.
| 26.5 | 59 | 0.745283 | eng_Latn | 0.999956 |
67ed6b4bb175bc40044bf903e34a36956e68f437 | 7,705 | md | Markdown | content/posts/2020-07-08---Hot-Papers.md | TatsuyaShirakawa/daily-arxiv-gatsby | 4c1744c7f6f3eaa676310a5958ee71e126cf0c93 | [
"MIT"
] | 4 | 2020-09-02T16:13:06.000Z | 2021-11-08T08:17:04.000Z | content/posts/2020-07-08---Hot-Papers.md | TatsuyaShirakawa/daily-arxiv-gatsby | 4c1744c7f6f3eaa676310a5958ee71e126cf0c93 | [
"MIT"
] | null | null | null | content/posts/2020-07-08---Hot-Papers.md | TatsuyaShirakawa/daily-arxiv-gatsby | 4c1744c7f6f3eaa676310a5958ee71e126cf0c93 | [
"MIT"
] | null | null | null | ---
title: Hot Papers 2020-07-08
date: 2020-07-09T08:45:39.Z
template: "post"
draft: false
slug: "hot-papers-2020-07-08"
category: "arXiv"
tags:
- "arXiv"
- "Twitter"
- "Machine Learning"
- "Computer Science"
description: "Hot papers 2020-07-08"
socialImage: "/media/flying-marine.jpg"
---
# 1. Predicting Afrobeats Hit Songs Using Spotify Data
Adewale Adeagbo
- retweets: 76, favorites: 189 (07/09/2020 08:45:39)
- links: [abs](https://arxiv.org/abs/2007.03137) | [pdf](https://arxiv.org/pdf/2007.03137)
- [cs.IR](https://arxiv.org/list/cs.IR/recent) | [cs.LG](https://arxiv.org/list/cs.LG/recent) | [cs.SD](https://arxiv.org/list/cs.SD/recent) | [eess.AS](https://arxiv.org/list/eess.AS/recent)
This study approached the Hit Song Science problem with the aim of predicting which songs in the Afrobeats genre will become popular among Spotify listeners. A dataset of 2063 songs was generated through the Spotify Web API, with the provided audio features. Random Forest and Gradient Boosting algorithms proved to be successful with approximately F1 scores of 86%.
<blockquote class="twitter-tweet"><p lang="en" dir="ltr">My paper is now on arxiv! <br><br>Predicting Afrobeats hit songs using Spotify data <a href="https://t.co/6C2AWSNJ3H">https://t.co/6C2AWSNJ3H</a> . It is an experiment on Hit Song Science (HSS) for the Afrobeats genre. Because why not? We global now.</p>— AA (@Adxpillar) <a href="https://twitter.com/Adxpillar/status/1280761011746803713?ref_src=twsrc%5Etfw">July 8, 2020</a></blockquote>
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
# 2. The Go Transformer: Natural Language Modeling for Game Play
David Noever, Matthew Ciolino, Josh Kalin
- retweets: 19, favorites: 88 (07/09/2020 08:45:39)
- links: [abs](https://arxiv.org/abs/2007.03500) | [pdf](https://arxiv.org/pdf/2007.03500)
- [cs.CL](https://arxiv.org/list/cs.CL/recent) | [cs.LG](https://arxiv.org/list/cs.LG/recent)
This work applies natural language modeling to generate plausible strategic moves in the ancient game of Go. We train the Generative Pretrained Transformer (GPT-2) to mimic the style of Go champions as archived in Smart Game Format (SGF), which offers a text description of move sequences. The trained model further generates valid but previously unseen strategies for Go. Because GPT-2 preserves punctuation and spacing, the raw output of the text generator provides inputs to game visualization and creative patterns, such as the Sabaki project's (2020) game engine using auto-replays. Results demonstrate that language modeling can capture both the sequencing format of championship Go games and their strategic formations. Compared to random game boards, the GPT-2 fine-tuning shows efficient opening move sequences favoring corner play over less advantageous center and side play. Game generation as a language modeling task offers novel approaches to more than 40 other board games where historical text annotation provides training data (e.g., Amazons & Connect 4/6).
<blockquote class="twitter-tweet"><p lang="en" dir="ltr">The Go Transformer: Natural Language Modeling for Game Play<br>pdf: <a href="https://t.co/PRZSVi2so2">https://t.co/PRZSVi2so2</a><br>abs: <a href="https://t.co/WDnhNRCFBX">https://t.co/WDnhNRCFBX</a> <a href="https://t.co/X4CgV1KAeW">pic.twitter.com/X4CgV1KAeW</a></p>— AK (@ak92501) <a href="https://twitter.com/ak92501/status/1280678366337798149?ref_src=twsrc%5Etfw">July 8, 2020</a></blockquote>
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
# 3. Off-Policy Evaluation via the Regularized Lagrangian
Mengjiao Yang, Ofir Nachum, Bo Dai, Lihong Li, Dale Schuurmans
- retweets: 10, favorites: 50 (07/09/2020 08:45:39)
- links: [abs](https://arxiv.org/abs/2007.03438) | [pdf](https://arxiv.org/pdf/2007.03438)
- [cs.LG](https://arxiv.org/list/cs.LG/recent) | [math.OC](https://arxiv.org/list/math.OC/recent) | [stat.ML](https://arxiv.org/list/stat.ML/recent)
The recently proposed distribution correction estimation (DICE) family of estimators has advanced the state of the art in off-policy evaluation from behavior-agnostic data. While these estimators all perform some form of stationary distribution correction, they arise from different derivations and objective functions. In this paper, we unify these estimators as regularized Lagrangians of the same linear program. The unification allows us to expand the space of DICE estimators to new alternatives that demonstrate improved performance. More importantly, by analyzing the expanded space of estimators both mathematically and empirically we find that dual solutions offer greater flexibility in navigating the tradeoff between optimization stability and estimation bias, and generally provide superior estimates in practice.
<blockquote class="twitter-tweet"><p lang="en" dir="ltr">Policy evaluation via duality/Lagrangian methods presents a lot of choices (how to setup the LPs, regularize them, etc). In <a href="https://t.co/Ics1296x4U">https://t.co/Ics1296x4U</a> we examine how these choices affect accuracy of final eval. Lots of insights in this paper, many of which I didn't expect.... <a href="https://t.co/0HkEeuSEPE">pic.twitter.com/0HkEeuSEPE</a></p>— Ofir Nachum (@ofirnachum) <a href="https://twitter.com/ofirnachum/status/1280877800065400832?ref_src=twsrc%5Etfw">July 8, 2020</a></blockquote>
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
# 4. Provably Safe PAC-MDP Exploration Using Analogies
Melrose Roderick, Vaishnavh Nagarajan, J. Zico Kolter
- retweets: 13, favorites: 40 (07/09/2020 08:45:39)
- links: [abs](https://arxiv.org/abs/2007.03574) | [pdf](https://arxiv.org/pdf/2007.03574)
- [cs.LG](https://arxiv.org/list/cs.LG/recent) | [cs.AI](https://arxiv.org/list/cs.AI/recent) | [stat.ML](https://arxiv.org/list/stat.ML/recent)
A key challenge in applying reinforcement learning to safety-critical domains is understanding how to balance exploration (needed to attain good performance on the task) with safety (needed to avoid catastrophic failure). Although a growing line of work in reinforcement learning has investigated this area of "safe exploration," most existing techniques either 1) do not guarantee safety during the actual exploration process; and/or 2) limit the problem to a priori known and/or deterministic transition dynamics with strong smoothness assumptions. Addressing this gap, we propose Analogous Safe-state Exploration (ASE), an algorithm for provably safe exploration in MDPs with unknown, stochastic dynamics. Our method exploits analogies between state-action pairs to safely learn a near-optimal policy in a PAC-MDP sense. Additionally, ASE also guides exploration towards the most task-relevant states, which empirically results in significant improvements in terms of sample efficiency, when compared to existing methods.
<blockquote class="twitter-tweet"><p lang="en" dir="ltr">I’m really excited to release our work on a provably safe and optimal reinforcement learning method: Analogous Safe-state Exploration (with <a href="https://twitter.com/_vaishnavh?ref_src=twsrc%5Etfw">@_vaishnavh</a> and <a href="https://twitter.com/zicokolter?ref_src=twsrc%5Etfw">@zicokolter</a>). Paper: <a href="https://t.co/j38yaYxPNF">https://t.co/j38yaYxPNF</a> Code: <a href="https://t.co/yOJcghXCDN">https://t.co/yOJcghXCDN</a></p>— Melrose Roderick (@roderickmelrose) <a href="https://twitter.com/roderickmelrose/status/1280890353663565824?ref_src=twsrc%5Etfw">July 8, 2020</a></blockquote>
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>
| 90.647059 | 1,074 | 0.767424 | eng_Latn | 0.853321 |
67ede7a31c2681325b45622c543cc1d27d402898 | 33 | md | Markdown | oreo-back-end/README.md | Eve-1995/oreo-front-end | f0df1d8c96ff8c97af63e859ea1dd9dd31b2a09e | [
"MIT"
] | 7 | 2019-04-27T06:50:54.000Z | 2019-10-23T09:19:26.000Z | oreo-back-end/README.md | Eve-1995/Oreo | f0df1d8c96ff8c97af63e859ea1dd9dd31b2a09e | [
"MIT"
] | 3 | 2020-01-09T14:21:54.000Z | 2020-08-11T15:23:35.000Z | oreo-back-end/README.md | Eve-1995/Oreo | f0df1d8c96ff8c97af63e859ea1dd9dd31b2a09e | [
"MIT"
] | null | null | null | # blog-back-end-system
个人博客-后端系统
| 11 | 22 | 0.757576 | pol_Latn | 0.334737 |
67eea7ada4d74ac6c567c2343261268f832af2ef | 5,216 | md | Markdown | content/essays/2021/02/scope-functions-as-if-else-statements.md | caramelomartins/website | 321a909bee4dfbfe8e512a79b9484d5f99c090c1 | [
"MIT"
] | 3 | 2019-12-16T11:12:38.000Z | 2021-10-04T06:19:46.000Z | content/essays/2021/02/scope-functions-as-if-else-statements.md | caramelomartins/website | 321a909bee4dfbfe8e512a79b9484d5f99c090c1 | [
"MIT"
] | null | null | null | content/essays/2021/02/scope-functions-as-if-else-statements.md | caramelomartins/website | 321a909bee4dfbfe8e512a79b9484d5f99c090c1 | [
"MIT"
] | 5 | 2019-11-18T16:06:52.000Z | 2021-10-05T05:12:12.000Z | ---
title: "Don't Abuse Kotlin Scope Functions as an If-Else for Null Checks"
date: 2021-02-09
draft: false
summary: An exploration behind the reasons why we shouldn't use statements based on scope function, in particular `let`, as if-else checks to validate nullability in Kotlin.
authors: Hugo Martins
categories: ["kotlin"]
---
I've been trying to understand more about Kotlin and I've written about Kotlin topics more lately, such [using `require` and `check` functions in Kotlin]({{< ref "http://localhost:1313/essays/2021/02/using-require-and-check-in-kotlin" >}}). This time I want to write about a pattern I've been thinking about: abusing scope functions, in particular `let`, and using them as if-else for null checks.
Now, Kotlin is a very powerful language and I've been enjoying it more and more. Its use of functional constructs provides developers with power and flexibility that goes way beyond some languages out there - I had been programming in Python and Go previously. On the other hand, Kotlin is a fairly new language, it has about 10 years, needing some more time to mature, which brings along some dangers because usage of particular constructs can have its perils, without us even realizing.
One such example is something I've come to see more and more with time: using `a?.let {} ?: (...)`, where `a` is a given object and `(...)` represents another statement. Another variation of this is `a?.let {} ?: run {}` but, with this variation, you could have a more viable justification to write it, as `run` is a function that can execute multiple statements. Now, by themselves, these aren't particularly dangerous, as we can have multiple use cases that justify them. I've use them before a lot of times. `let` can be extremely flexible and really improve the readability of a block of code, improving on the way we can reliably check for null values. Nonetheless, using `let` can be particularly dangerous when we have `a?.let {} ?: (...)` written as a substitution of a simple if-else statement for null checks.
Kotlin documentation suggests that `let` ["is often used for executing a code block only with non-null values"](https://kotlinlang.org/docs/reference/scope-functions.html). This can be achieved by using the null safe call operator `?`. Great! Now we know that we can use `let` to validate that a given statement or object _is not null_ and then we just have to use the Elvis operator (`?:`) to execute another statement, if the initial statement actually is null. This seems promising...we have found an idiomatic substitution for if-else statements for performing null checks.
Unfortunately, not so fast. Although it might seem as `a?.let {} ?: (...)` is a good substitution of if-else for checking for null values, we will quickly find out that it actually doesn't behave the same as an if-else statement. When we use an Elvis operator, the Elvis operator will return the right-side operation in case the left side operation returns null. What if `a?.let {}` returns null? If `a?.let {}` returns null, the right-side of the Elvis operator will still execute. This means that we have a potential situation where all branches are executed: the statements inside `a?.let {}` as well as the right-side of the Elvis operator. This would be similar to having an if-else statement where both the `if` _and_ `else` can be executed _in a single run_, which is definitely not the correct behavior most of us are expecting from an if-else statement.
As a practical example, let's consider the following code:
```kotlin
fun main() {
// nullString is null.
val string = "non-empty"
// Evaluate nullString with "let" and Elvis operator.
val one = string?.let { null } ?: "another-string"
// Evaluate nullString with if-else.
val two = if(string != null) string else null
println(one)
println(two)
}
```
In this case, `one` stores the value of validating if `nullString` is null with `let` and an Elvis operator, while `two` stores the value of validating if `nullString` is null with an if-else statement. If we run this, we will get the following output:
```
another-string
non-empty
```
As we can see, even when `string` isn't null we might not necessarily get the value returned by `let` if that value is actually null. What happened above is that the lambda result from `let` was null so a third value was used, neither `non-empty` nor null, because the way the code was structured allowed for having three branches in the code.
It is not that the `a?.let ?: (...)` structure is wrong on its own but rather that the mental model we have constructed of it executing only one side of the Elvis operator is incorrect. By abusing the use of this construct, in a lot of situations where we could've written a simple if-else statement, instead of writing more idiomatic code, we might simply be writing incorrect code. For _a lot_ of situations `a?.let ?: (...)` is appropriate. It is more idiomatic, it makes for cleaner and more readable code _but_ don't ever forget that it _is not_ a replacement for if-else statements if all we are doing is validating that a given statement is null, and executing _another_ statement in case it is. | 110.978723 | 863 | 0.755943 | eng_Latn | 0.999656 |
67eefceed87b1752d7c49672e99df8a62d0b33ba | 2,522 | md | Markdown | optimization.md | iamumairs/tool_lists | 475251524d9584202c1ba14da9d2d3bf2906275a | [
"CC0-1.0"
] | null | null | null | optimization.md | iamumairs/tool_lists | 475251524d9584202c1ba14da9d2d3bf2906275a | [
"CC0-1.0"
] | null | null | null | optimization.md | iamumairs/tool_lists | 475251524d9584202c1ba14da9d2d3bf2906275a | [
"CC0-1.0"
] | null | null | null | # Python optimization frameworks
## General
- [`cvxopt`](https://github.com/cvxopt/cvxopt)
- [Pyomo](https://software.sandia.gov//trac/coopr/wiki/Pyomo) (Python) (Sandia)
- [PuLP](https://pypi.python.org/pypi/PuLP/1.5.6) (Python) interfaces to GLPK, CLP/CBC, CPLEX, GUROBI
- [`optlang`](https://github.com/biosustain/optlang)
- [PICOS](http://picos.zib.de/index.html) (GPL-3, Python): interface to linear and conic optimization solvers (cvxopt, smcp, mosek, cplex, gurobi, zibopt)
- [`pycplex`](https://code.google.com/p/pycplex/) (MIT, Python, C): interface to the ILOG CPLEX® Callable Library
- [python-zibopt](https://code.google.com/p/python-zibopt/) (GPL-3, Python): solve MIQP using SCIP and SoPlex from the ZIB Optimization Suite
- [SCIP](http://scip.zib.de/) (ZIB): MIP and MINLP
- [COIN-OR](http://www.coin-or.org/projects/): index of packages interfacing to solvers
- [IPOPT](https://projects.coin-or.org/Ipopt): large-scale nonlinear opt
- [`pyipopt`](https://code.google.com/p/pyipopt/) (Python): interface to IPOPT
- [NLOPT](http://ab-initio.mit.edu/wiki/index.php/NLopt): nonlinear opt lib with Python bindings
- [lpsolve](http://lpsolve.sourceforge.net/5.5/Python.htm)
## GLPK
- [PyGLPK](https://pypi.python.org/pypi/glpk/0.3)
- [`swiglpk`](https://pypi.python.org/pypi/swiglpk/0.1.0): plain vanilla swig bindings to GLPK `C` library
- [`epyglpki`](https://github.com/equaeghe/epyglpki/) (Cython)
- [`python-glpk`](http://www.dcc.fc.up.pt/~jpp/code/python-glpk/) (GPL-2)
- [`ecyglpki`](https://github.com/equaeghe/ecyglpki) (-, GPL-3): `Cython` interface
- [`ctypes-glpk`](https://code.google.com/p/ctypes-glpk/) (Python, GPL-3): ctypes interface
- [PyMathProg](http://pymprog.sourceforge.net/) (Python) AMPL reincarnation, connects to GLPK via PyGLPK
## Modeling
- [`cvexp`](https://pypi.python.org/pypi/cvexp/0.1) (Python) interfaces to GLPK, `cvxopt`
- [`cvxpy`](https://github.com/cvxgrp/cvxpy) (Python): on top of `cvxopt`
- https://github.com/cvxgrp/qcml
- [PyLMI-SDP](https://pypi.python.org/pypi/PyLMI-SDP/0.2) (BSD, Python): set of classes to represent and manipulate LMIs symbolically using SymPy. It also includes tools to export LMIs to CVXOPT SDP input and to the SDPA format
## Polytopic computational geometry
- [`polytope`](https://github.com/tulip-control/polytope) (BSD-3, Python): uses `cvxopt`
- [PyPolyhedron](https://anaconda.org/pierre-haessig/pypolyhedron) (LGPL, Python, C): PyPolyhedron is a Python interface to a C-library cddlib
BONMIN, IPOPT, KNITRO, SCIP, BARON, NOMAD
| 63.05 | 227 | 0.720856 | yue_Hant | 0.315936 |
67ef0aed36977120b43c369401903331693a5574 | 1,068 | md | Markdown | _data/workshops_raw_html/23.md | UT-Austin-RPL/rss2022 | 309d38b9203d3d8e356a8dd3e02d4f5ce1ededa5 | [
"MIT"
] | 1 | 2020-07-04T14:43:45.000Z | 2020-07-04T14:43:45.000Z | _data/workshops_raw_html/23.md | UT-Austin-RPL/rss2022 | 309d38b9203d3d8e356a8dd3e02d4f5ce1ededa5 | [
"MIT"
] | 3 | 2016-12-14T19:58:42.000Z | 2017-03-30T20:52:52.000Z | _data/workshops_raw_html/23.md | UT-Austin-RPL/rss2022 | 309d38b9203d3d8e356a8dd3e02d4f5ce1ededa5 | [
"MIT"
] | 2 | 2017-03-26T18:30:50.000Z | 2019-06-04T02:31:13.000Z | <p>
In this workshop a wide range of renowned experts will discuss deep learning
techniques at the frontier of research that are not yet widely adopted,
discussed, or well-known in our community. We carefully selected research
topics such as Bayesian deep learning, generative models, or deep reinforcement
learning for planning and navigation that are of high relevance and potentially
groundbreaking for robotic perception, learning, and control. The workshop
introduces these techniques to the robotics audience, but also exposes
participants from the machine learning community to real-world problems
encountered by robotics researchers that apply deep learning in their research.
</p>
<p>
This workshop is the successor of the very successful "Deep Learning in
Robotics" workshop at last year's RSS. Our goal is to bring researchers from
the machine learning and robotics communities together to discuss and contrast
the limits and potentials of new deep learning techniques, as well as propose
directions for future joint research between our communities.
</p>
| 53.4 | 79 | 0.824906 | eng_Latn | 0.999809 |
67ef55e5238d854d4264b5022b8e3888a31ea280 | 310 | md | Markdown | Trading_Strategies_in_Emerging_Markets/Design_Your_Own_Trading_Strategy/README.md | cilsya/coursera | 4a7896f3225cb84e2f15770409c1f18bfe529615 | [
"MIT"
] | 1 | 2021-03-15T13:57:04.000Z | 2021-03-15T13:57:04.000Z | Trading_Strategies_in_Emerging_Markets/Design_Your_Own_Trading_Strategy/README.md | cilsya/coursera | 4a7896f3225cb84e2f15770409c1f18bfe529615 | [
"MIT"
] | 5 | 2020-03-24T16:17:05.000Z | 2021-06-01T22:49:40.000Z | Trading_Strategies_in_Emerging_Markets/Design_Your_Own_Trading_Strategy/README.md | cilsya/coursera | 4a7896f3225cb84e2f15770409c1f18bfe529615 | [
"MIT"
] | null | null | null | # Trading_Strategies_in_Emerging_Markets
## Design_Your_Own_Trading_Strategy
* Implementing Pair Trading Strategy.
* 'WriteUp' pdf's contain the description, results, and report
* The folder 'code_process_data' contains 'a_data_processing_a.ipynb' which was used to generate the data for the write up report. | 51.666667 | 130 | 0.822581 | eng_Latn | 0.967492 |
67ef6a426be82b3e07b6712aa6e917361aef0e3f | 78 | md | Markdown | README.md | yfukai/image_analysis_cookbook | bfbda15ad5f384ab739c88216b492c8132cadcf0 | [
"BSD-3-Clause"
] | null | null | null | README.md | yfukai/image_analysis_cookbook | bfbda15ad5f384ab739c88216b492c8132cadcf0 | [
"BSD-3-Clause"
] | null | null | null | README.md | yfukai/image_analysis_cookbook | bfbda15ad5f384ab739c88216b492c8132cadcf0 | [
"BSD-3-Clause"
] | null | null | null | # image_analysis_cookbook
Some random python pieces to explain image analysis
| 26 | 51 | 0.858974 | eng_Latn | 0.646324 |
67f0c58ab13e20545ded0eceb83d50c6a6588aa8 | 62 | md | Markdown | assets/README.md | victor35/Trabalhos-da-Faculdade | e8b0faaa77d50aca422d694fa7cb891f886513c2 | [
"MIT"
] | null | null | null | assets/README.md | victor35/Trabalhos-da-Faculdade | e8b0faaa77d50aca422d694fa7cb891f886513c2 | [
"MIT"
] | null | null | null | assets/README.md | victor35/Trabalhos-da-Faculdade | e8b0faaa77d50aca422d694fa7cb891f886513c2 | [
"MIT"
] | null | null | null | # Imagens
Repositório de imagens utilizadas no próprio github
| 20.666667 | 51 | 0.83871 | por_Latn | 0.999986 |
67f0ed353390fcaeaeb8913a11a84cb294b38c8a | 87 | md | Markdown | README.md | dscohen75/lambdata_dscohen75 | 4ef596727bbcc073876cd2d3faf31d24fd29f6c2 | [
"MIT"
] | null | null | null | README.md | dscohen75/lambdata_dscohen75 | 4ef596727bbcc073876cd2d3faf31d24fd29f6c2 | [
"MIT"
] | null | null | null | README.md | dscohen75/lambdata_dscohen75 | 4ef596727bbcc073876cd2d3faf31d24fd29f6c2 | [
"MIT"
] | null | null | null | # lambdata_dscohen75
Example of object oriented programming and making our own package
| 29 | 65 | 0.850575 | eng_Latn | 0.997541 |
67f10bc3bd9d0497a753131c8145827b6d7a22aa | 1,317 | md | Markdown | README.md | gtcooke94/linux-config | 06734cfe303f320d01bbbcd5196485b26045c3e7 | [
"MIT"
] | 1 | 2018-10-29T17:39:57.000Z | 2018-10-29T17:39:57.000Z | README.md | gtcooke94/linux-config | 06734cfe303f320d01bbbcd5196485b26045c3e7 | [
"MIT"
] | null | null | null | README.md | gtcooke94/linux-config | 06734cfe303f320d01bbbcd5196485b26045c3e7 | [
"MIT"
] | null | null | null | Linux Config
===
Installation
---
This assumes a particular path for installation::
mkdir ~/repos
cd repos
git clone https://github.com/esquires/linux-config.git
cd linux-config
bash ubuntu_install.sh
Manual steps:
* Put this in `~/.gitconfig`. See [here](https://github.com/neovim/neovim/issues/2377)
```
[merge]
tool = nvimdiff
[difftool "nvimdiff"]
cmd = terminator -x nvim -d $LOCAL $REMOTE
[user]
name = your_name
email = your_email
```
* nvim, run ``:UpdateRemotePlugins`` for deoplete to work
* open ``/etc/xdg/awesome/rc.lua`` and change the following:
```
local layouts =
awful.layout.suit.floating,
awful.layout.suit.tile.left,
awful.layout.suit.fair,
awful.layout.suit.max,
awful.layout.suit.magnifier
}
terminal = "x-terminal-emulator -x nvim -c term -c \"normal A\""
```
* Go into profile preferences in terminal and add the following as a custom
command to run instead of the shell
```
nvim -c term -c "normal A"
```
* see ``notes/.gdbinit`` for an init file. You can run gdb linked to vim
by hitting ``\d`` in vim and running in a terminal.
```gdb -x .gdbinit -f binary```
see [lvdb](https://github.com/esquires/lvdb) for details
| 23.105263 | 86 | 0.628702 | eng_Latn | 0.864989 |
67f1ecc25bd2e05207221be94f65917ef41ecdfd | 54 | md | Markdown | servers/README.md | jleung51/scripts | 59f769133a54d06d266de7f0027fc9ef95590477 | [
"MIT"
] | 3 | 2018-01-12T06:04:44.000Z | 2019-03-04T18:11:54.000Z | servers/README.md | jleung51/scripts | 59f769133a54d06d266de7f0027fc9ef95590477 | [
"MIT"
] | 3 | 2018-01-22T11:52:05.000Z | 2019-03-04T18:59:58.000Z | servers/README.md | jleung51/scripts | 59f769133a54d06d266de7f0027fc9ef95590477 | [
"MIT"
] | 2 | 2018-04-28T08:52:19.000Z | 2019-03-04T17:18:49.000Z | # Server Utilities
Any scripts dealing with servers.
| 13.5 | 33 | 0.796296 | eng_Latn | 0.977511 |
67f298147e882e28099f3cd557e4d1994ecaed76 | 7,965 | md | Markdown | _posts/2021-04-26-shalat-jenazah.md | isandroid/wiki | 4d43802adee324de0c909be222ee60a3be55675b | [
"MIT"
] | null | null | null | _posts/2021-04-26-shalat-jenazah.md | isandroid/wiki | 4d43802adee324de0c909be222ee60a3be55675b | [
"MIT"
] | null | null | null | _posts/2021-04-26-shalat-jenazah.md | isandroid/wiki | 4d43802adee324de0c909be222ee60a3be55675b | [
"MIT"
] | null | null | null | ---
title: Shalat Jenazah
layout: post
date: 2021-04-26 06:31:02 +0700
author: Isa Mujahid Islam
tags: shalat
description: tata cara shalat jenazah
published: true
---
- Niat shalat Jenazah: "Aku berniat shalat jenazah empat takbir fardhu kifayah di belakang Imam". Niat itu di dalam hati saja.
- Sesudah berbaris menghadap Kiblat, lalu mengucapkan takbir pertama (Allahu akbar) serta angkat kedua tangan lalu diletakkan di atas pusat, kemudian membaca apa yang biasa dibaca dalam shalat sehari-hari, disambung dengan Al-Fatihah dan ayat, baru diucapkan takbir lagi.
- Setelah takbir kedua, hendaklah membaca Salawat kepada Nabi Muhammad (saw)
<p class="arab">
اللَّهُمَّ صَلِّ عَلَى مُحَمَّدٍ وَعَلَى آلِ مُحَمَّدٍ كَمَا صَلَّيْتَ عَلَى إِبْرَاهِيْمَ وَعَلَى آلِ إِبْرَاهِيْمَ إِنَّكَ حَمِيْدٌ مَجِيْدٌ
</p>
<p class="arab">
اللَّهُمَّ بَارِكْ عَلَى مُحَمَّدٍ وَعَلَى آلِ مُحَمَّدٍ كَمَا بَارَكْتَ عَلَى إِبْرَاهِيْمَ وَعَلَى آلِ إِبْرَاهِيْمَ إِنَّكَ حَمِيْدٌ مَجِيْدٌ
</p>
"Yaa Allah berilah shalawat kepada Muhammad dan kepada keluarga Muhammad sebagaimana Engkau telah memberi shalawat kepada Ibrahiim dan kepada keluarga Ibrahim, sesungguhnya Engkah Maha Terpuji dan Maha Mulia. Yaa Allah berilah barokah kepada Muhammad dan keluarga Muhammad sebagaimana Engkau telah memberi barokah kepada Ibrahim dan kepada keluarga Ibrahim, sesungguhnya Engkah Maha Terpuji dan Maha Mulia" (H.R. Bukhari) [[^bukhari_3119]]
[^bukhari_3119]: [H.R. Al-Bukhari, Kitab Hadits-hadits yang meriwayatkan tentang para Nabi, Bab Firman Allah "Dan Allah telah mengangkat nabi Ibrahim sebagai kekasih-Nya"](https://www.hadits.id/hadits/bukhari/3119)
- Kemudian takbir yang ketiga kalinya.
- Setelah takbir yang ketiga, hendaklah membaca do'a:
<p class="arab">
اللَّهُمَّ اغْفِرْ لِحَيِّنَا وَمَيِّتِنَا وَصَغِيْرِنَا وَكَبِيْرِنَا وَذَكَرِنَا وَأُنْثَانَا وَشَاهِدِنَا وَغَائِبِنَا اللَّهُمَّ مَنْ أَحْيَيْتَهُ مِنَّا فَأَحْيِهِ عَلَى الْإِيْمَانِ وَمَنْ تَوَفَّيْتَهُ مِنَّا فَتَوَفَّهُ عَلَى الْإِسْلَامِ اللَّهُمَّ لَا تَحْرِمْنَا أَجْرَهُ وَلَا تُضِلَّنَا بَعْدَهُ
</p>
"Yaa Allah, ampunilah orang-orang yang hidup (di antara kami) dan orang-orang mati (di antara kami), yang hadir dan yang ghaib, yang kecil dan yang besar, yang laki-laki dan yang perempuan. Yaa Allah, orang yang Engkau hidupkan di antara kami, maka hidupkanlah dia dalam Islam, dan orang yang Engkau matikan dari antara kami, maka matikanlah ia dalam (keadaan) beriman. Yaa Allah, janganlah pahalanya dihilangkan dari kami dan jangan Engkau coba kami sesudahnya." (Misykat) [[^misykat_1675_1676]]
[^misykat_1675_1676]: [Mishkat al-Masabih, Kitab Jenazah, Hadith No. 1675 dan 1676](https://sunnah.com/mishkat:1675)
- Doa-doa yang lain juga boleh dibaca. Sesudah itu baru diucapkan takbir yang keempat dan
mengucapkan:
<p class="arab">
اَلسَّلاَمُ عَلَيْكُمْ وَرَحْمَةُ اللَّهِ وَبَرَكَاتُهُ
</p>
ke kanan dan ke kiri. Dengan ini selesailah shalat jenazah itu.
### Beberapa Hal Berkenaan dengan Jenazah
- Kalau seorang bayi lahir tidak bersuara (sudah meninggal dalam perut ibu), tidak perlu dishalatkan. Kalau bayi lahir keluar menangis (hidup), kemudian meninggal, maka perlu dishalatkan.
- Kalau yang meninggal itu bukan orang Muslim, tidak boleh dishalatkan, hanya dimandikan, dikafani lalu dikubur saja.
- Shalat Jenazah itu fardhu kifayah yakni kalau semua orang meninggalkan (tidak mengerjakan), maka semua orang dikampung itu berdosa, tetapi apabila sebagian orang yang sudah mengerjakannya maka sudah memadai.
- Sebaiknya sebanyak-banyaknya orang Muslim berkumpul untuk menshalatkan orang yang meninggal itu.
- Shaf orang yang shalat jenazah hendaknya ganjil, seperti lima, tiga, tujuh dan seterusnya; tidak terhitung Imam shalat.
- Menshalatkan jenazah dan mengantar ke kuburan mengandung pahala yang besar.
- Shalat Jenazah itu tidak perlu ada adzan dan iqamat, tidak ada ruku' dan sujud atau Tahiyyat.
- Seperti shalat biasa, sebelum melakukan shalat jenazah, harus berwudhu' terlebih dahulu.
- Kalau jenazah sudah di mandikan dan di kafani, di letakkan di hadapan Imam, kepala ke utara dan kakinya ke selatan.
- Kalau jenazah laki-Iaki, Imam hendaknya berdiri di hadapan kepalanya, kalau jenazah wanita,
maka Imam hendaknya berdiri di hadapan punggangnya.
- Sabda Nabi (saw), kalau ada 40 orang mukmin menshalatkan jenazah seseorang, maka orang yang dishalatkan itu diampuni dosanya oleh Allah Ta'ala berkat do'a-do'a mereka itu.
### Pemakaman
- Apabila jenazah diangkat, maka hendaklah kepalanya didahulukan.
- Jenazah hendaklah segera dibawa ke makam.
- Apabila jenazah dikuburkan kepalanya harus ke utara dan kakinya ke selatan.
- Apabila menurunkan jenazah ke makam hendaklah membaca:
<p class="arab">
بِسْمِ اللَّهِ وَعَلَى مِلَّةِ رَسُولِ اللَّهِ
</p>
"Dengan nama Allah dan dengan pertolongan Allah dan atas agama. Rasulullah Muhammad (saw), kita turunkan jenazah ke kubur." (H.R. Ibnu Majah) [[^majah_1539]]
[^majah_1539]: [Ibnu Majah, Kitab Jenazah, Bab Memasukkan mayit ke dalam kubur](https://www.hadits.id/hadits/majah/1539)
- Sebaiknya muka jenazah yang dikuburkan itu dihadapkan ke Kiblat.
- Tatkala jenazah telah diletakkan di dalam liang lahat atau di bawah kayu, hendaklah makam ditimbun dengan tanah dan agak dipadatkan.
- Tanah di atas makam itu tidak boleh terlampau tinggi (ditinggikan), sekedarnya saja (Misykat hal.
148).
- Kalau tanah liat kering, boleh disiram dengan air biasa sedikit, bukan air mawar. Di atas makam
itu tidak boleh disemen. (Tirmidzy).
- Sebelum orang-orang yang mengantar itu pulang, hendaklah mereka mendo'akan untuk terakhir bagi si mati itu. Dalam do'a itu boleh juga mereka membaca ruku' yang pertama dan ruku' penghabisan dari surah Al-Baqarah (Hadits Baihaqi).
- Membaca talkin di atas makam bukan sunnat bahkan tidak pernah dilakukan oleh Nabi Muhammad (saw) atau Khalifah-khalifah beliau.
- Demikian pula membaca tahlil dan Alquranul Karim pada hari-hari tertentu dan menghadiahkan pahalanya kepada yang meninggal dunia itu pun, tidak pernah dilakukan oleh Rasulullah (saw) dan tidak pula oleh Khalifah-khalifah beliau.
- Jalan untuk menolong orang yang meninggal itu, hanya satu yaitu mendo'akannya.
- Apabila kita melihat jenazah diantar orang ke makam, hendaklah kita berdiri.
- Sebaiknya jenazah itu jangan dibawa ke masjid walaupun tidak diharamkan.
- Seseorang yang sudah dikuburkan, boleh orang lain melakukan shalat jenazah didekat makamnya. (Bukhari dan Muslim).
- Kalau ada sesuatu sebab, boleh beberapa orang dikuburkan dalam satu liang lahat.
- Apabila orang mengantar jenazah ke makam dengan kendaraan, hendaklah mengiringi jenazah, bukan mendahuluinya.
- Orang yang mengantar jenazah itu, janganlah duduk sebelum jenazah itu diletakkan.
- Jenazah yang dikuburkan itu, boleh dibuatkan liang lahat atau boleh diletakkan di dalam peti kayu misalnya dikuburkan sebagai amanat atau karena ada penyakit menular dll. Namun membuat liang lahat itu lebih baik.
- makam hendaknya digali agak dalam.
- Jenazah yang dimasukkan ke liang kubur harus dengan cara yang baik dan didahulukan kepalanya dari badan atau kakinya.
- Sesudah jenazah diletakkan di dalam liang lahat, hendaklah tiap orang yang ada, turut menimbun (membuang tanah) sekurang-kurangnya tiga genggam ke makam itu.
- makam itu tidak boleh dibuat dari batu atau semen.
- makam tidak boleh dihormati, semacam disembah-sembah.
- Tidak boleh dibuat kubah di atas makam itu.
- makam itu tidak boleh diinjak-injak.
- Kalau makam belum siap, hendaklah jenazah diletakkan dahulu dan orang-orang yang ada di
situ duduk diam-diam.
- Jenazah jangan dipatahkan tulangnya dan jangan pula jenazah itu dilukai, kecuali ada sebab yang
mengharuskan badan jenazah itu dibedah atau bagian badan untuk dimanfaatkan. Misalnya donor mata; kornea mata diambil untuk digunakan menolong orang tunanetra.
- Kalau seseorang meninggal di tempat lain. kita boleh mengerjakan shalat jenazah baginya, namanya shalat jenazah ghaib.
### Catatan Kaki
| 53.817568 | 496 | 0.766729 | ind_Latn | 0.601153 |
67f29a66ce999a2c35831d6b971552736f256606 | 386 | md | Markdown | index.md | abhmalik/abhmalik.github.io | a0836f12923ffd772d639550e223d4133e1b6ce0 | [
"MIT"
] | null | null | null | index.md | abhmalik/abhmalik.github.io | a0836f12923ffd772d639550e223d4133e1b6ce0 | [
"MIT"
] | null | null | null | index.md | abhmalik/abhmalik.github.io | a0836f12923ffd772d639550e223d4133e1b6ce0 | [
"MIT"
] | null | null | null | ---
layout: home
title: Welcome!
subtitle: Abhishek Malik's personal website
---
### My name is Abhishek Malik. I'm a data scientist at Hawk:AI based out of Munich, Germany.
### By the day, I love all things data and Python. Feel free to checkout some of my projects on top right corner of this website.
### By the evening, I enjoys dancing Salsa, playing Tennis and drinking beer.
| 32.166667 | 129 | 0.735751 | eng_Latn | 0.998064 |
67f3de1aee29021ab93d9fd2f619afd61b4d2a4c | 49 | md | Markdown | README.md | dKirill/evolution | 3d0181ffb0cb292c916d15ce77b98912b1768541 | [
"MIT"
] | null | null | null | README.md | dKirill/evolution | 3d0181ffb0cb292c916d15ce77b98912b1768541 | [
"MIT"
] | null | null | null | README.md | dKirill/evolution | 3d0181ffb0cb292c916d15ce77b98912b1768541 | [
"MIT"
] | null | null | null | # evolution
Simple evolution-based strategy game
| 16.333333 | 36 | 0.836735 | eng_Latn | 0.897684 |
67f3e3bc3995253cb3c1403fbf6542896d65c336 | 1,604 | md | Markdown | README.md | ncaudill27/character_builder | 0271c1c00c06bea738ade9599414446536976485 | [
"MIT"
] | null | null | null | README.md | ncaudill27/character_builder | 0271c1c00c06bea738ade9599414446536976485 | [
"MIT"
] | 3 | 2020-12-31T04:49:48.000Z | 2021-09-28T00:26:12.000Z | README.md | ncaudill27/creation_station | 0271c1c00c06bea738ade9599414446536976485 | [
"MIT"
] | null | null | null | # Creation Station
Store your D&D characters, add your backstory or see other people's creations.
## What is this?
Creation Station was made as a learning experience. Made to exemplify model relations and give a base for
expansion. My hope is to add more and more RPG based features (e.g. Inventory, Dice Rolls). In the meantime feel
free to use it how you wish!
### Dependencies
* Ruby 2.6.1 or higher
* Your favorite browser!
### Installing
* Repo can be found [here](https://github.com/ncaudill27/creation_station)
* If you'd like to start the program with dummy data:
```
rake db:seed
```
### Executing program
* Fork and clone repo
* Run Bundle
```
bundle install
```
* Run shotgun, default 127.0.0.1:9393
```
shotgun
```
* Alternatively, choose another port
```
shotgun -p 0000
```
## Help
Anything added to Issues will be looked over and replied to as soon as possible.
## Authors
Contributors names and contact info
Nelson Caudill
GitHub: [ncaudill27](https://github.com/ncaudill27)
Twitter: [@pixel8dChappie](https://twitter.com/pixel8dChappie)
## Version History
* 0.1
* Initial Release
## License
This project is licensed under the [MIT] License - see the LICENSE.md file for details
## Acknowledgments
Character Models:[http://dnd5eapi.co](http://dnd5eapi.co)
Navbar "Home" button: [https://www.deviantart.com/goldendaniel/art/Coat-of-Arms-Delacroix-449324990](https://www.deviantart.com/goldendaniel/art/Coat-of-Arms-Delacroix-449324990)
* Cover Art: [https://www.deviantart.com/wlop/art/Battle-537837257](https://www.deviantart.com/wlop/art/Battle-537837257) | 22.591549 | 178 | 0.740025 | eng_Latn | 0.894247 |
67f3f2d7df1c8d0aaed77be89e8ccb8666866bba | 333 | md | Markdown | README.md | vjsaisha/puppet-auditd | 2f676d01106213eca89d10c82734dd6af50284fc | [
"Apache-2.0"
] | null | null | null | README.md | vjsaisha/puppet-auditd | 2f676d01106213eca89d10c82734dd6af50284fc | [
"Apache-2.0"
] | null | null | null | README.md | vjsaisha/puppet-auditd | 2f676d01106213eca89d10c82734dd6af50284fc | [
"Apache-2.0"
] | null | null | null | # puppet-auditd
audit rules for my environment
## Section overview
1. [Module introduction](#module)
2. Module usage
3. example
## Module
Basic use
## Module usage
use like this
## example
use
afskdfs;ldgf
askdjjnasda\
asdkjasnda
adsklanjsda
a
sdjkljasd';asd
adsad
d\
d
d
d
d
asdasd
ad
asd
asd
asd
asf
a
fa
sfas
fd
| 6.283019 | 33 | 0.717718 | eng_Latn | 0.548757 |
67f4dcb481d243f4280d3c612030e1a7d0cd8eda | 836 | md | Markdown | index.md | ncflib/DSS-Docs | a5a236f5532320c95f52cc266cd947573774be33 | [
"MIT"
] | null | null | null | index.md | ncflib/DSS-Docs | a5a236f5532320c95f52cc266cd947573774be33 | [
"MIT"
] | null | null | null | index.md | ncflib/DSS-Docs | a5a236f5532320c95f52cc266cd947573774be33 | [
"MIT"
] | null | null | null | ---
layout: default
title: Home
nav_order: 1
description: "Just the Docs is a responsive Jekyll theme with built-in search that is easily customizable and hosted on GitHub Pages."
permalink: /
---
# Digital Scholarship Studio Documentation and Workflows
## Jane Bancroft Cook Library, New College of Florida
This page serves as a repository of documentation, workflows, and services that deal with digital scholarship and digital humanities work at the Jane Bancroft Cook Library at the New College of Florida. It is principally managed by [Cal Murgu, Digital Humanities Librarian](https://calmurgu.com). More to come.
### Code of Conduct
Just the Docs is committed to fostering a welcoming community.
[View our Code of Conduct](https://github.com/pmarsceill/just-the-docs/tree/master/CODE_OF_CONDUCT.md) on our GitHub repository.
| 44 | 310 | 0.79067 | eng_Latn | 0.982938 |
67f4e3e54f685e7d3e6695f8f98bcdc94ecb4b56 | 276 | md | Markdown | original/HomeShop/compound/Readme.md | jariou/mklotz | 2c5a2f419beeda46ec15cdfe75561bbe6c03d081 | [
"Apache-2.0"
] | 2 | 2018-06-04T13:14:30.000Z | 2018-06-15T19:52:39.000Z | original/HomeShop/compound/Readme.md | jariou/mklotz | 2c5a2f419beeda46ec15cdfe75561bbe6c03d081 | [
"Apache-2.0"
] | null | null | null | original/HomeShop/compound/Readme.md | jariou/mklotz | 2c5a2f419beeda46ec15cdfe75561bbe6c03d081 | [
"Apache-2.0"
] | null | null | null | # COMPOUND
01/10/05 Most of us are familiar with the process of angling the compound slide so that a given movement of the slide produces a lesser movement of the tool towards the work. Given the required ratio, this program computes the angle needed to achieve that ratio.
| 69 | 262 | 0.797101 | eng_Latn | 0.999912 |
67f66c1df3a27bbbd98d6c03879e90f90da8fdf7 | 2,401 | md | Markdown | doc/08_access_api.md | parsampsh/adminx | bb6d75a0b1f2f704d13108842ec0ed43dee011ac | [
"MIT"
] | 21 | 2020-11-17T19:33:39.000Z | 2022-03-27T04:09:58.000Z | doc/08_access_api.md | parsampsh/adminx | bb6d75a0b1f2f704d13108842ec0ed43dee011ac | [
"MIT"
] | null | null | null | doc/08_access_api.md | parsampsh/adminx | bb6d75a0b1f2f704d13108842ec0ed43dee011ac | [
"MIT"
] | 2 | 2021-07-28T04:12:32.000Z | 2021-09-16T21:06:52.000Z | # The Adminx Permission access API
Adminx has a class named `Adminx\Access`. this class contains some static methods to handle users permissions.
## user_has_permission
this method checks user has permission or not, returns boolean.
```php
$user = \App\Models\User::find(1); // the user model
\Adminx\Access::user_has_permission($user, '<permission>');
// for example
\Adminx\Access::user_has_permission($user, 'Product.create');
```
## add_permission_for_user
this methods adds a permission for an user.
```php
$user = \App\Models\User::find(1); // the user model
\Adminx\Access::add_permission_for_user($user, '<permission>');
```
now, user has `<permission>` permission.
also you can pass a boolean as permission flag. if this boolean is false, means user should have NOT this permission.
```php
$user = \App\Models\User::find(1); // the user model
\Adminx\Access::add_permission_for_user($user, '<permission>', false);
```
## add_user_to_group
this method adds the user to a group.
```php
$user = User::find(1);
$group = \Adminx\Models\Group::find($x);
\Adminx\Access::add_user_to_group($user, $group);
```
now, the user is added to that group and has all of the group permissions.
## user_is_in_group
this method checks an user is in a group.
```php
$user = User::find(1);
$group = \Adminx\Models\Group::find($x);
$result = \Adminx\Access::user_is_in_group($user, $group); // true or false
```
the output is a boolean.
## remove_user_from_group
this method removes an user from a group.
```php
$user = User::find(1);
$group = \Adminx\Models\Group::find($x);
\Adminx\Access::remove_user_from_group($user, $group);
```
now, user is removed from that group.
## add_permission_for_group
this method adds a permssion for group.
```php
$group = \Adminx\Models\Group::find($x);
\Adminx\Access::add_permission_for_group($group, 'the-permission');
```
now, that group has `the-permission`.
also you can use flag argument to Deny the permission for the group users:
```php
$group = \Adminx\Models\Group::find($x);
\Adminx\Access::add_permission_for_group($group, 'the-permission', false);
```
## remove_permission_from_group
this method removes a permssion from group.
```php
$group = \Adminx\Models\Group::find($x);
\Adminx\Access::remove_permission_from_group($group, 'the-permission');
```
now, that group has NOT `the-permission`.
---
[Previous: Plugin system](06_plugins.md)
| 25.542553 | 117 | 0.724282 | eng_Latn | 0.902345 |
67f7e9e3455f4a8e434198dccc5e6f789f040d92 | 780 | md | Markdown | rules/avoid-using-too-many-decimals/rule.md | brady-stroud/SSW.Rules.Content | ac02f803bcc6efdf9b709c918dc04b3ce969e27c | [
"CC0-1.0"
] | null | null | null | rules/avoid-using-too-many-decimals/rule.md | brady-stroud/SSW.Rules.Content | ac02f803bcc6efdf9b709c918dc04b3ce969e27c | [
"CC0-1.0"
] | null | null | null | rules/avoid-using-too-many-decimals/rule.md | brady-stroud/SSW.Rules.Content | ac02f803bcc6efdf9b709c918dc04b3ce969e27c | [
"CC0-1.0"
] | null | null | null | ---
type: rule
archivedreason:
title: Do you avoid using too many decimal places in reports?
guid: 0b26e15a-ab05-4626-9736-2bf21eb452c9
uri: avoid-using-too-many-decimals
created: 2021-05-14T05:06:33.0000000Z
authors:
- title: Ulysses Maclaren
url: https://ssw.com.au/people/uly
related:
---
Having decimal places is generally not required when the numbers are there to show a general indication. The only serve to obfuscate trends and quick understanding of the overall information.
You should generally only include decimal places (especially more than 1) on reports for accountants that will be used for reconciliations.
<!--endintro-->
::: good
![Figure: Good example – having $350.1k would not be useful information. $350k is sufficient](powerbi-no-decimals.jpg)
:::
| 32.5 | 191 | 0.773077 | eng_Latn | 0.995781 |
67f8c036385abda5488ebddc0822b69d9704cb7d | 174 | md | Markdown | README.md | socheatsok78/develop-box | 5735e4ccf9ebd61f8d4ad744c30b8fbdde933c24 | [
"MIT"
] | null | null | null | README.md | socheatsok78/develop-box | 5735e4ccf9ebd61f8d4ad744c30b8fbdde933c24 | [
"MIT"
] | null | null | null | README.md | socheatsok78/develop-box | 5735e4ccf9ebd61f8d4ad744c30b8fbdde933c24 | [
"MIT"
] | null | null | null | # develop-box
My personal development environment box with Docker Compose
## Usage
**Start all the services**
```sh
./start
```
**Stop all the services**
```sh
./stop
```
| 11.6 | 59 | 0.672414 | eng_Latn | 0.978927 |
67f8e5121f577b386257480cf917d57f8394ddbd | 2,080 | md | Markdown | _posts/2019-09-22-u-kazakhstani-zatrymaly-uchasnykiv-antyuriadovykh-mitynhiv.md | shishak/barber-jekyll | db3f4fda43b7cd2ece4c1e566cae24ce6f11fecd | [
"MIT"
] | null | null | null | _posts/2019-09-22-u-kazakhstani-zatrymaly-uchasnykiv-antyuriadovykh-mitynhiv.md | shishak/barber-jekyll | db3f4fda43b7cd2ece4c1e566cae24ce6f11fecd | [
"MIT"
] | null | null | null | _posts/2019-09-22-u-kazakhstani-zatrymaly-uchasnykiv-antyuriadovykh-mitynhiv.md | shishak/barber-jekyll | db3f4fda43b7cd2ece4c1e566cae24ce6f11fecd | [
"MIT"
] | null | null | null | ---
id: 1789
title: У Казахстані затримали учасників антиурядових мітингів
date: 2019-09-22T07:38:22+00:00
author: user
excerpt: В Казахстан під час антиурядових акцій протесту в Алма-Аті і Нур-Султана правоохоронці затримали 57 осіб. Про це повідомляє РБК-Україна з посиланням...
layout: post
guid: https://www.rbc.ua/ukr/news/kazahstane-zaderzhali-uchastnikov-antipravitelstvennyh-1569137650.html
permalink: /2019/09/22/u-kazakhstani-zatrymaly-uchasnykiv-antyuriadovykh-mitynhiv/
cyberseo_rss_source:
- https://www.rbc.ua/static/rss/newsline.ukr.rss.xml
cyberseo_post_link:
- https://www.rbc.ua/ukr/news/kazahstane-zaderzhali-uchastnikov-antipravitelstvennyh-1569137650.html
image: /wp-content/uploads/2019/09/u-kazakhstani-zatrymaly-uchasnykiv-antyuriadovykh-mitynhiv.jpg
categories:
- Головне
tags:
- РБК-Україна
---
В Казахстан під час антиурядових акцій протесту в Алма-Аті і Нур-Султана правоохоронці затримали 57 осіб. Про це повідомляє РБК-Україна з посиланням на “Радіо Свобода”.
Крім того, в місті Чимкент біля кордону з Киргизією були затримані 20 осіб.
У Міністерстві внутрішніх справ заявили, що затримані “піддавалися на провокаційні заклики” і “стали вчиняти протиправні дії стосовно працівників правопорядку”. Мітингувальники не чинили опору поліцейським.
Співробітники правоохоронних органів заштовхували в деяких автозаки із застосуванням сили.
Напередодні республіканська Генеральна прокуратура застерегла громадян від участі в те, що вона назвала “незаконними протестними акціями”.
Нагадаємо, раніше РБК-Україна повідомляло, що 20 вересня в столиці Грузії Тбілісі пройшов атиправительственный мітинг. Люди виступали проти президента країни Саломе Зурабішвілі з-за її актів помилування, а інші – проти засновника правлячої партії Бідзіна Іванішвілі через затвердження Георгія Гахарія на посаді прем'єр-міністра.
Крім того, 20 вересня по всьому світу мільйони людей вийшли на вулиці для участі в глобальній кліматичній страйку з закликом до урядів вжити заходів для боротьби із зміною клімату. | 65 | 334 | 0.820192 | ukr_Cyrl | 0.999521 |
67fa3071dfa431f319e6a4dc21bbce2e1ef83a99 | 1,772 | md | Markdown | docs/extensibility/debugger/reference/bstr-array.md | MicrosoftDocs/visualstudio-docs.pl-pl | 64a8f785c904c0e158165f3e11d5b0c23a5e34c5 | [
"CC-BY-4.0",
"MIT"
] | 2 | 2020-05-20T07:52:54.000Z | 2021-02-06T18:51:42.000Z | docs/extensibility/debugger/reference/bstr-array.md | MicrosoftDocs/visualstudio-docs.pl-pl | 64a8f785c904c0e158165f3e11d5b0c23a5e34c5 | [
"CC-BY-4.0",
"MIT"
] | 8 | 2018-08-02T15:03:13.000Z | 2020-09-27T20:22:01.000Z | docs/extensibility/debugger/reference/bstr-array.md | MicrosoftDocs/visualstudio-docs.pl-pl | 64a8f785c904c0e158165f3e11d5b0c23a5e34c5 | [
"CC-BY-4.0",
"MIT"
] | 16 | 2018-01-29T09:30:06.000Z | 2021-10-09T11:23:54.000Z | ---
description: Struktura opisującą tablicę ciągów.
title: BSTR_ARRAY | Microsoft Docs
ms.date: 11/04/2016
ms.topic: reference
f1_keywords:
- BSTR_ARRAY
helpviewer_keywords:
- BSTR_ARRAY structure
ms.assetid: 48da37f7-a237-48a9-9ff9-389c1a00862c
author: leslierichardson95
ms.author: lerich
manager: jmartens
ms.technology: vs-ide-debug
ms.workload:
- vssdk
dev_langs:
- CPP
- CSharp
ms.openlocfilehash: 43a4b68824b613cb0701ea5ccfb3ed334f715b69
ms.sourcegitcommit: b12a38744db371d2894769ecf305585f9577792f
ms.translationtype: MT
ms.contentlocale: pl-PL
ms.lasthandoff: 09/13/2021
ms.locfileid: "126635165"
---
# <a name="bstr_array"></a>BSTR_ARRAY
Struktura opisującą tablicę ciągów.
## <a name="syntax"></a>Składnia
```cpp
typedef struct tagBSTR_ARRAY {
DWORD dwCount;
BSTR* Members;
} BSTR_ARRAY;
```
```csharp
struct BSTR_ARRAY {
DWORD dwCount;
string[] Members;
}
```
## <a name="members"></a>Elementy członkowskie
`dwCount`\
Liczba ciągów w `Members` tablicy.
`Members`\
Tablica ciągów.
## <a name="remarks"></a>Uwagi
Ta struktura jest zwracana z [metody EnumPersistedPorts.](../../../extensibility/debugger/reference/idebugportsupplier3-enumpersistedports.md)
[Tylko język C++] Każdy indywidualny ciąg musi zostać wolny przy użyciu `SysFreeString` funkcji , a `Members` tablica musi zostać wyzjemniona za pomocą . `CoTaskMemFree`
## <a name="requirements"></a>Wymagania
Nagłówek: msdbg.h
Przestrzeń nazw: Microsoft.VisualStudio.Debugger.Interop
Zestaw: Microsoft.VisualStudio.Debugger.Interop.dll
## <a name="see-also"></a>Zobacz też
- [Struktury i związki](../../../extensibility/debugger/reference/structures-and-unions.md)
- [EnumPersistedPorts](../../../extensibility/debugger/reference/idebugportsupplier3-enumpersistedports.md)
| 26.058824 | 170 | 0.765237 | pol_Latn | 0.653565 |
67fa8e901fa7a8370e77289cbb56d61df9110fd9 | 12,185 | md | Markdown | articles/active-directory/users-groups-roles/roles-custom-available-permissions.md | changeworld/azure-docs.sv-se | 6234acf8ae0166219b27a9daa33f6f62a2ee45ab | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/active-directory/users-groups-roles/roles-custom-available-permissions.md | changeworld/azure-docs.sv-se | 6234acf8ae0166219b27a9daa33f6f62a2ee45ab | [
"CC-BY-4.0",
"MIT"
] | null | null | null | articles/active-directory/users-groups-roles/roles-custom-available-permissions.md | changeworld/azure-docs.sv-se | 6234acf8ae0166219b27a9daa33f6f62a2ee45ab | [
"CC-BY-4.0",
"MIT"
] | null | null | null | ---
title: Tillgängliga anpassade administratörsrollbehörigheter – Azure AD | Microsoft-dokument
description: Anpassade administratörsrollbehörigheter för delegering av identitetshantering.
services: active-directory
author: curtand
manager: daveba
ms.service: active-directory
ms.workload: identity
ms.subservice: users-groups-roles
ms.topic: article
ms.date: 11/08/2019
ms.author: curtand
ms.reviewer: vincesm
ms.custom: it-pro
ms.collection: M365-identity-device-management
ms.openlocfilehash: d6156857202c1cca94df6d70ec2059daf55178f1
ms.sourcegitcommit: 2ec4b3d0bad7dc0071400c2a2264399e4fe34897
ms.translationtype: MT
ms.contentlocale: sv-SE
ms.lasthandoff: 03/27/2020
ms.locfileid: "74025156"
---
# <a name="application-registration-subtypes-and-permissions-in-azure-active-directory"></a>Undertyper och behörigheter för programregistrering i Azure Active Directory
Den här artikeln innehåller de tillgängliga appregistreringsbehörigheterna för anpassade rolldefinitioner i Azure Active Directory (Azure AD).
## <a name="permissions-for-managing-single-directory-applications"></a>Behörigheter för hantering av program med en katalog
När du väljer behörigheter för din anpassade roll har du möjlighet att bevilja åtkomst för att hantera endast enkatalogprogram. Enkatalogprogram är endast tillgängliga för användare i Azure AD-organisationen där programmet är registrerat. Enkatalogprogram definieras som att **kontotyper som stöds** har angetts till "Konton i den här organisationskatalogen endast". I Graph API har program med en katalog egenskapen signInAudience inställd på "AzureADMyOrg".
Om du vill bevilja åtkomst till att endast hantera enkatalogprogram använder du behörigheterna nedan med undertypen **applications.myOrganization**. Till exempel microsoft.directory/applications.myOrganization/basic/update.
Se [översikten över anpassade roller](roles-custom-overview.md) för en förklaring av vad de allmänna termerna undertyp, behörighet och egenskapsuppsättning betyder. Följande information är specifik för ansökan registreringar.
### <a name="create-and-delete"></a>Skapa och ta bort
Det finns två behörigheter för att bevilja möjligheten att skapa programregistreringar, var och en med olika beteende:
#### <a name="microsoftdirectoryapplicationscreateasowner"></a>microsoft.directory/applications/createAsOwner
Om du tilldelar den här behörigheten blir skaparen den första ägaren av den skapade appregistreringen, och den skapade appregistreringen räknas mot skaparens kvot med 250 skapade objekt.
#### <a name="microsoftdirectoryapplicationscreate"></a>microsoft.directory/applications/create
Tilldelning av den här behörigheten resulterar i att skaparen inte läggs till som den första ägaren av den skapade appregistreringen, och den skapade appregistreringen räknas inte mot skaparens 250 skapade objektkvot. Använd den här behörigheten noggrant eftersom det inte finns något som hindrar förvärvaren från att skapa appregistreringar förrän kvoten på katalognivå har nåtts. Om båda behörigheterna har tilldelats har den här behörigheten företräde.
Om båda behörigheterna har tilldelats har behörigheten /create företräde. Även om behörigheten /createAsOwner inte automatiskt lägger till skaparen som den första ägaren, kan ägare anges när appregistreringen skapas när diagram-API:er eller PowerShell-cmdletar används.
Skapa behörigheter ger åtkomst till kommandot **Ny registrering.**
[Dessa behörigheter ger åtkomst till kommandot Ny registreringsportal](./media/roles-create-custom/new-custom-role.png)
Det finns två behörigheter för att bevilja möjligheten att ta bort appregistreringar:
#### <a name="microsoftdirectoryapplicationsdelete"></a>microsoft.directory/program/delete
Ger möjlighet att ta bort appregistreringar oavsett undertyp. det vill ha både program med en klient och flera innehavare.
#### <a name="microsoftdirectoryapplicationsmyorganizationdelete"></a>microsoft.directory/applications.myOrganisering/borttagning
Ger möjlighet att ta bort appregistreringar som är begränsade till dem som endast är tillgängliga för konton i organisationen eller program med en enda klient (undertypen minorganisation).
![Dessa behörigheter ger åtkomst till kommandot Ta bort appregistrering](./media/roles-custom-available-permissions/delete-app-registration.png)
> [!NOTE]
> När du tilldelar en roll som innehåller skapa behörigheter måste rolltilldelningen göras i katalogomfånget. En skapa-behörighet som tilldelats i ett resursomfattning ger inte möjlighet att skapa appregistreringar.
### <a name="read"></a>Läsa
Alla medlemsanvändare i organisationen kan läsa information om appregistrering som standard. Det går dock inte att gästanvändare och programtjänsthuvudnamn. Om du planerar att tilldela en roll till en gästanvändare eller gästprogram måste du inkludera lämpliga läsbehörigheter.
#### <a name="microsoftdirectoryapplicationsallpropertiesread"></a>microsoft.directory/applications/allProperties/read microsoft.directory/applications/allProperties/read microsoft.directory/applications/allProperties/read microsoft.
Möjlighet att läsa alla egenskaper för program med en klient och flera innehavare utanför egenskaper som inte kan läsas i alla situationer som autentiseringsuppgifter.
#### <a name="microsoftdirectoryapplicationsmyorganizationallpropertiesread"></a>microsoft.directory/applications.myOrganization/allProperties/read
Ger samma behörigheter som microsoft.directory/applications/allProperties/read, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationsownersread"></a>microsoft.directory/applications/owners/read microsoft.directory/applications/owners/read microsoft.directory/applications/owners/read microsoft.
Ger möjlighet att läsa egendom för ägare på program med en klient och flera innehavare. Ger åtkomst till alla fält på sidan för ansökans registreringsägare:
![Dessa behörigheter ger åtkomst till sidan för appregistreringsägare](./media/roles-custom-available-permissions/app-registration-owners.png)
#### <a name="microsoftdirectoryapplicationsstandardread"></a>microsoft.directory/applications/standard/read
Ger åtkomst till lässtandarda programregistreringsegenskaper. Detta inkluderar egenskaper över programregistreringssidor.
#### <a name="microsoftdirectoryapplicationsmyorganizationstandardread"></a>microsoft.directory/applications.myOrganisering/standard/läs
Ger samma behörigheter som microsoft.directory/applications/standard/read, men endast för program med en klient.
### <a name="update"></a>Uppdatering
#### <a name="microsoftdirectoryapplicationsallpropertiesupdate"></a>microsoft.directory/applications/allProperties/update
Möjlighet att uppdatera alla egenskaper på program med en katalog och flera kataloger.
#### <a name="microsoftdirectoryapplicationsmyorganizationallpropertiesupdate"></a>microsoft.directory/applications.myOrganization/allProperties/update
Ger samma behörigheter som microsoft.directory/applications/allProperties/update, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationsaudienceupdate"></a>microsoft.directory/applications/audience/update
Möjlighet att uppdatera egenskapen account type (signInAudience) på program med en katalog och flera kataloger.
![Den här behörigheten ger åtkomst till kontotypsegenskap för appregistrering som stöds på autentiseringssidan](./media/roles-custom-available-permissions/supported-account-types.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationaudienceupdate"></a>microsoft.directory/applications.myOrganisering/publik/uppdatering
Ger samma behörigheter som microsoft.directory/applications/audience/update, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationsauthenticationupdate"></a>microsoft.directory/program/autentisering/uppdatering
Möjlighet att uppdatera svars-URL:en, ut signerings-URL:en, implicit flöde och utgivardomänegenskaper för program med en enda klient och flera innehavare. Ger åtkomst till alla fält på autentiseringssidan för programregistrering utom kontotyper som stöds:
![Ger åtkomst till autentisering av appregistrering men stöds inte kontotyper](./media/roles-custom-available-permissions/supported-account-types.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationauthenticationupdate"></a>microsoft.directory/applications.myOrganisering/autentisering/uppdatering
Ger samma behörigheter som microsoft.directory/applications/authentication/update, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationsbasicupdate"></a>microsoft.directory/applications/basic/update
Möjlighet att uppdatera namn, logotyp, url till startsidan, villkor för tjänst-URL och webbadresser för sekretesspolicyn för program med en enda klient och flera innehavare. Ger åtkomst till alla fält på varumärkessidan för programregistrering:
![Den här behörigheten ger åtkomst till varumärkessidan för appregistrering](./media/roles-custom-available-permissions/app-registration-branding.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationbasicupdate"></a>microsoft.directory/applications.myOrganisering/basic/update
Ger samma behörigheter som microsoft.directory/applications/basic/update, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationscredentialsupdate"></a>microsoft.directory/program/autentiseringsuppgifter/uppdatering
Möjlighet att uppdatera egenskaperna för certifikat och klienthemligheter på program med en klient och flera innehavare. Ger åtkomst till alla fält på sidan registreringsbevis för program & hemligheter:
![Den här behörigheten ger åtkomst till sidan för appregistreringsbevis & hemligheter](./media/roles-custom-available-permissions/app-registration-secrets.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationcredentialsupdate"></a>microsoft.directory/applications.myOrganisering/autentiseringsuppgifter/uppdatering
Ger samma behörigheter som microsoft.directory/applications/credentials/update, men endast för program med en katalog.
#### <a name="microsoftdirectoryapplicationsownersupdate"></a>microsoft.directory/applications/owners/update
Möjlighet att uppdatera ägaregenskapen på en klient och flera innehavare. Ger åtkomst till alla fält på sidan för ansökans registreringsägare:
![Dessa behörigheter ger åtkomst till sidan för appregistreringsägare](./media/roles-custom-available-permissions/app-registration-owners.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationownersupdate"></a>microsoft.directory/applications.myOrganisering/ägare/uppdatering
Ger samma behörigheter som microsoft.directory/applications/owners/update, men endast för program med en klient.
#### <a name="microsoftdirectoryapplicationspermissionsupdate"></a>microsoft.directory/program/behörigheter/uppdatering
Möjlighet att uppdatera delegerade behörigheter, programbehörigheter, auktoriserade klientprogram, nödvändiga behörigheter och bevilja medgivandeegenskaper för program med en klient och flera innehavare. Ger inte möjlighet att utföra samtycke. Ger åtkomst till alla fält i API-behörigheterna för programregistrering och exponerar en API-sidor:
![De här behörigheterna ger åtkomst till sidan API-behörigheter för appregistrering](./media/roles-custom-available-permissions/app-registration-api-permissions.png)
![De här behörigheterna ger åtkomst till appregistreringen Exponera en API-sida](./media/roles-custom-available-permissions/app-registration-expose-api.png)
#### <a name="microsoftdirectoryapplicationsmyorganizationpermissionsupdate"></a>microsoft.directory/applications.myOrganisering/behörigheter/uppdatering
Ger samma behörigheter som microsoft.directory/applications/permissions/update, men endast för program med en klient.
## <a name="required-license-plan"></a>Obligatorisk licensplan
[!INCLUDE [License requirement for using custom roles in Azure AD](../../../includes/active-directory-p1-license.md)]
## <a name="next-steps"></a>Nästa steg
- Skapa anpassade roller med [Azure-portalen, Azure AD PowerShell och Graph API](roles-create-custom.md)
- [Visa tilldelningar för en anpassad roll](roles-view-assignments.md)
| 70.028736 | 459 | 0.834879 | swe_Latn | 0.994426 |
67faeb76de9fe15e53b9421874f1cdbbe13907d8 | 4,553 | md | Markdown | yolo_light/README.md | warehouse-picking-automation-challenges/team_naist_panasonic | 999b8d20c5528f5510e43bf4a483215011f9871d | [
"Apache-2.0"
] | 10 | 2017-12-22T07:45:09.000Z | 2022-03-25T21:42:22.000Z | yolo_light/README.md | warehouse-picking-automation-challenges/team_naist_panasonic | 999b8d20c5528f5510e43bf4a483215011f9871d | [
"Apache-2.0"
] | null | null | null | yolo_light/README.md | warehouse-picking-automation-challenges/team_naist_panasonic | 999b8d20c5528f5510e43bf4a483215011f9871d | [
"Apache-2.0"
] | 6 | 2017-12-24T16:03:22.000Z | 2020-06-14T11:01:18.000Z | # TNP version YOLO Light Guidance
This package contains three main tools:
* A ROS node to perform object recognition by using a trained YOLO (v2) model and a RGB stream from a R200/SR300 camera.
* A Python script to train a YOLO (v2) model with TensorFlow on GPU using annotated images.
* An Image Generator generate multiple object with background images. Details in ./scripts/ImageGenerator/README.md
This package is a modification of YOLO Light (https://github.com/chrisgundling/yolo_light), which is a ROS implementation of DarkFlow (https://github.com/thtrieu/darkflow), which is itself a TensorFlow implementation of Darknet (https://github.com/pjreddie/darknet), the CNN required to train the YOLO model from annotated images (https://pjreddie.com/darknet/yolo/). Before pursuing, please read the documentation of behind these links to get the big picture. Also, please confirm the required dependencies.
# Main usages
**Attention (1):** By default, the current implementation is configured to work with the 20 classes of the VOC 2012 challenge and the Tiny YOLOv2 configuration. You may need to download the VOC 2012 dataset to (re)train the model: http://host.robots.ox.ac.uk/pascal/VOC/voc2012/index.html#devkit. See path options in `./scripts/darkflow.py` (ROS detection) and `./scripts/flow` (TensorFlow training).
## Detecting objects with ROS
Inputs (see `./scripts/darkflow.py`):
* The configuration of the trained model/network, as a .cfg file.
* The trained model, as a TensorFlow Checkpoint (4 files).
* A RGB stream of a R200/SR300 camera as a subscribed topic.
Outputs (see `./scripts/tlight_node.py`):
* A vector containing the detected objects' classes & ID, confidence and bounding box information as a published topic.
* A labeled image stream as a published topic (mainly to use for debug with rqt_image_view).
Use the launch files/nodes of the TNP Vision package for a quick demo:
* `roslaunch tnp_vision tnp_yolo_manager_r200.launch`
* `roslaunch tnp_vision tnp_yolo_manager_sr300.launch`
## Training a model with TensorFlow
Inputs (see `./scripts/flow_ARC2017Settings`):
* Annotated images in VOC-PASCAL (.xml) format. Attention: The images and their annotations must be in two separate subfolders inside the same folder.
* The configuration of the model/network, as a .cfg file (the same .cfg will be used as an input for the ROS detection).
* Optional: A pre-trained YOLO model, as a Darknet .weight format or as a TensorFlow Checkpoint format, to start the training from existing weights (pre-trained model or backup).
Output (see `./scripts/flow`):
* A trained model as a TensorFlow Checkpoint (4 files).
To run the training, first configure the options in `./scripts/flow` then go to `./scripts/` and execute `./flow --train`. Refer to the documentation of DarkFlow for more options: https://github.com/thtrieu/darkflow.
**NOTE:**
Before you training with your model. Please check `./scripts/cfg/*.cfg`
* When you doing training with your own setups of Network structure, you need to carefully check if the "classes" settings in the structure file.
* The classes amount and filters amount in last convolutional layer are related parameters. The filters amount should be ` filters = num * (classes + coords + 1 ) `
Please check `./scripts/cfg/*.cfg` and `./scripts/labels.txt`
* The classes amount in label.txt should be as same as defined in .cfg file.
About Training data
* When you doing trying with yolo structure that is default provided in the folder, this program will automatically use their default classes even you put a label.txt file. It is highly recommended choose a new file name by yourself.
Please check `./scripts/yolo/misc.py`, their are lists describe about it.
# Troubleshooting
* Before being able to use the Python code, you may need to deploy it with Cython. Please refer to https://github.com/chrisgundling/yolo_light#getting-things-running.
* After changing the model and/or labels, you will have to delete the cached labels in `./scripts/net/yolo/parse-history.txt`.
* If you experience memory issues on the GPU, please reduce the GPU load (scale from 0.0 to 1.0 in `./scripts/flow` and/or `./scripts/darkflow.py`) or use a smaller model/network such as Tiny YOLOv2.
* YOLOv2 is also commonly referred as YOLO-VOC (a COCO version exists too).
* darkflow is currently not ready for YOLO-9000 for classification, it can currently only be used as a detector.
# Future work
* Add documentation about TensorBoard to monitor the training.
* Train the model on multiple GPUs.
| 64.126761 | 508 | 0.772238 | eng_Latn | 0.991174 |
67fba505f7e0c17bd9ec227197d8b2338330e508 | 218 | md | Markdown | _watches/M20211228_054635_TLP_2.md | Meteoros-Floripa/meteoros.floripa.br | 7d296fb8d630a4e5fec9ab1a3fb6050420fc0dad | [
"MIT"
] | 5 | 2020-01-22T17:44:06.000Z | 2020-01-26T17:57:58.000Z | _watches/M20211228_054635_TLP_2.md | Meteoros-Floripa/site | 764cf471d85a6b498873610e4f3b30efd1fd9fae | [
"MIT"
] | null | null | null | _watches/M20211228_054635_TLP_2.md | Meteoros-Floripa/site | 764cf471d85a6b498873610e4f3b30efd1fd9fae | [
"MIT"
] | null | null | null | ---
layout: watch
title: TLP2 - 28/12/2021 - M20211228_054635_TLP_2T.jpg
date: 2021-12-28 05:46:35
permalink: /2021/12/28/watch/M20211228_054635_TLP_2
capture: TLP2/2021/202112/20211227/M20211228_054635_TLP_2T.jpg
---
| 27.25 | 62 | 0.784404 | fra_Latn | 0.039422 |
67fba6c11b29c5dcb3a398ec47e0c3c060e58e47 | 6,284 | md | Markdown | b/bpraesthhstiftg/index.md | nnworkspace/gesetze | 1d9a25fdfdd9468952f739736066c1ef76069051 | [
"Unlicense"
] | 1 | 2020-06-20T11:34:20.000Z | 2020-06-20T11:34:20.000Z | b/bpraesthhstiftg/index.md | nagy/gesetze | 77abca2ceea3b7b89ea70afb13b5dd55415eb124 | [
"Unlicense"
] | null | null | null | b/bpraesthhstiftg/index.md | nagy/gesetze | 77abca2ceea3b7b89ea70afb13b5dd55415eb124 | [
"Unlicense"
] | null | null | null | ---
Title: Gesetz über die Errichtung einer Stiftung Bundespräsident-Theodor-Heuss-Haus
jurabk: BPräsTHHStiftG
layout: default
origslug: bpr_sthhstiftg
slug: bpraesthhstiftg
---
# Gesetz über die Errichtung einer Stiftung Bundespräsident-Theodor-Heuss-Haus (BPräsTHHStiftG)
Ausfertigungsdatum
: 1994-05-27
Fundstelle
: BGBl I: 1994, 1166
Geändert durch
: Art. 77 V v. 29.10.2001 I 2785
## § 1 Rechtsform der Stiftung
Unter dem Namen "Stiftung Bundespräsident-Theodor-Heuss-Haus" wird mit
Sitz in Stuttgart eine rechtsfähige Stiftung des öffentlichen Rechts
errichtet. Die Stiftung entsteht mit dem Inkrafttreten dieses
Gesetzes.
## § 2 Stiftungszweck
(1) Zweck der Stiftung ist es,
1. das Andenken an das Wirken des ersten Bundespräsidenten der
Bundesrepublik Deutschland, Theodor Heuss, für Freiheit und Einheit
des deutschen Volkes, für Europa, für Verständigung und Versöhnung
unter den Völkern zu wahren und einen Beitrag zum Verständnis der
jüngeren Geschichte sowie der Entstehung der Bundesrepublik
Deutschland zu leisten und
2. den Nachlaß Theodor Heuss zu sammeln, zu pflegen, zu verwalten und für
die Interessen der Allgemeinheit in Wissenschaft, Bildung und Politik
auszuwerten.
(2) Der Erfüllung dieses Zweckes dienen insbesondere folgende
Maßnahmen:
1. Einrichtung, Unterhaltung und Ausbau der für die Öffentlichkeit
zugänglichen Gedenkstätte "Stiftung Bundespräsident-Theodor-Heuss-
Haus" in Stuttgart;
2. Einrichtung und Unterhaltung eines Archivs nebst Forschungs- und
Dokumentationsstelle in Stuttgart;
3. Veröffentlichung von Archivbeständen und wissenschaftlichen
Untersuchungen;
4. Veranstaltungen im Sinne des Stiftungszweckes.
## § 3 Stiftungsvermögen
(1) Das Stiftungsvermögen bilden diejenigen unbeweglichen und
beweglichen Vermögensgegenstände, die die Bundesrepublik Deutschland
für Zwecke der Stiftung erwirbt.
(2) Die Stiftung ist berechtigt, Zuwendungen von dritter Seite
anzunehmen.
(3) Zur Erfüllung des Stiftungszweckes (§ 2 Abs. 1) erhält die
Stiftung einen jährlichen Zuschuß des Bundes nach Maßgabe des
jeweiligen Bundeshaushaltes.
(4) Erträgnisse des Stiftungsvermögens und sonstige Einnahmen sind nur
im Sinne des Stiftungszweckes zu verwenden.
## § 4 Satzung
Die Stiftung gibt sich eine Satzung, die vom Kuratorium mit einer
Mehrheit von vier Fünfteln seiner Mitglieder beschlossen wird und der
Genehmigung des Beauftragten der Bundesregierung für Angelegenheiten
der Kultur und der Medien bedarf. Das gleiche gilt für Änderungen der
Satzung.
## § 5 Organe der Stiftung
Organe der Stiftung sind
1. das Kuratorium,
2. der Vorstand.
## § 6 Kuratorium
(1) Das Kuratorium besteht aus fünf Mitgliedern, die vom
Bundespräsidenten für die Dauer von fünf Jahren bestellt werden. Zwei
Mitglieder werden von der Bundesregierung vorgeschlagen, je ein
Mitglied wird von den Erben Theodor Heuss und von der Stadt Stuttgart
vorgeschlagen; das fünfte Mitglied wählt der Bundespräsident aus. Für
jedes der fünf Mitglieder ist in gleicher Weise ein Vertreter zu
bestellen. Wiederholte Bestellung ist zulässig.
(2) Scheidet ein Kuratoriumsmitglied oder sein Vertreter vorzeitig
aus, so kann eine Bestellung des Nachfolgers nur für den Rest der
Zeit, für die das Mitglied oder der Vertreter bestellt war, erfolgen.
(3) Das Vorschlagsrecht der Erben Theodor Heuss ist bis auf die zweite
Generation in direkter Abstammung von Theodor Heuss beschränkt. Danach
fällt das Vorschlagsrecht an die Bundesregierung.
(4) Das Kuratorium wählt einen Vorsitzenden und dessen Stellvertreter.
(5) Das Kuratorium beschließt über alle grundsätzlichen Fragen, die
zum Aufgabenbereich der Stiftung gehören. Es überwacht die Tätigkeit
des Vorstandes. Das Nähere regelt die Satzung.
## § 7 Vorstand
(1) Der Vorstand besteht aus drei Mitgliedern. Sie werden vom
Kuratorium mit einer Mehrheit von vier Fünfteln seiner Mitglieder
bestellt, davon ein Vorstandsmitglied auf Vorschlag des Beauftragten
der Bundesregierung für Angelegenheiten der Kultur und der Medien. Die
Satzung kann bestimmen, daß das vom Beauftragten der Bundesregierung
für Angelegenheiten der Kultur und der Medien vorgeschlagene Mitglied
den Vorsitz des Vorstandes übernimmt.
(2) Der Vorstand führt die Beschlüsse des Kuratoriums aus und führt
die Geschäfte der Stiftung. Er vertritt die Stiftung gerichtlich und
außergerichtlich.
(3) Das Nähere regelt die Satzung.
## § 8 Neben- und ehrenamtliche Tätigkeit
Die Mitglieder des Kuratoriums und des Vorstandes sind, soweit sie
nicht nebenamtlich tätig sind, ehrenamtlich tätig.
## § 9 Aufsicht, Haushalt, Rechnungsprüfung
(1) Die Stiftung untersteht der Aufsicht des Beauftragten der
Bundesregierung für Angelegenheiten der Kultur und der Medien. Bei der
Erfüllung ihrer Aufgaben wird die Stiftung durch das Bundesarchiv
unterstützt; Art und Umfang regelt der Beauftragte der Bundesregierung
für Angelegenheiten der Kultur und der Medien im Benehmen mit dem
Kuratorium.
(2) Für das Haushalts-, Kassen- und Rechnungswesen sowie für die
Rechnungslegung der Stiftung finden die für die Bundesverwaltung
geltenden Bestimmungen entsprechende Anwendung.
## § 10 Beschäftigte
(1) Die Geschäfte der Stiftung werden in der Regel durch Arbeitnehmer
(Angestellte und Arbeiter) wahrgenommen.
(2) Auf die Arbeitnehmer der Stiftung sind die für Arbeitnehmer des
Bundes jeweils geltenden Tarifverträge und sonstigen Bestimmungen
anzuwenden.
(3) Der Stiftung kann durch Satzungsregelung das Recht, Beamte zu
haben, verliehen werden.
## § 11 Gebühren
Die Stiftung kann zur Deckung des Verwaltungsaufwandes nach näherer
Bestimmung der Satzung Gebühren für die Benutzung von
Stiftungseinrichtungen erheben.
## § 12 Dienstsiegel
Die Stiftung führt ein Dienstsiegel.
## § 13 Übernahme von Rechten und Pflichten
Mit ihrem Entstehen übernimmt die "Stiftung Bundespräsident-Theodor-
Heuss-Haus" die Rechte und Pflichten, welche für die Bundesrepublik
Deutschland durch den mit den Erben Theodor Heuss geschlossenen
Vertrag vom 29./30. Juni 1971 begründet worden sind. Damit soll der im
Besitz der Archive vorhandene Nachlaß als Dauerleihgabe zur Verfügung
gestellt werden.
## § 14 Inkrafttreten
Dieses Gesetz tritt am Tage nach der Verkündung in Kraft.
| 29.781991 | 95 | 0.807925 | deu_Latn | 0.999665 |
67fbb397a166a5dada85da16977087475547dc1c | 1,640 | md | Markdown | _posts/elasticsearch/2019-03-13-Elasticsearch.md | albert19882016/albert19882016.github.io | dc2c96163049c053d46a3596147082072f0d1dea | [
"MIT"
] | null | null | null | _posts/elasticsearch/2019-03-13-Elasticsearch.md | albert19882016/albert19882016.github.io | dc2c96163049c053d46a3596147082072f0d1dea | [
"MIT"
] | null | null | null | _posts/elasticsearch/2019-03-13-Elasticsearch.md | albert19882016/albert19882016.github.io | dc2c96163049c053d46a3596147082072f0d1dea | [
"MIT"
] | null | null | null | ---
layout: post
title: Elasticsearch 安装配置
categories: Elasticsearch
description: Elasticsearch 笔记
keywords: elasticsearch, java
---
简单介绍Elasticsearch的安装及基本配置
---
## 1.安装
- 1.1 安装JDK并配置环境变量,版本建议1.8以上
- 1.2 添加用户组及用户。
- 1.2.1 先创建用户组,如bigdata
```
[root@hadoop ~]# groupadd bigdata
```
- 1.2.2 创建用户,如es
```
[root@hadoop ~]# useradd es
[root@hadoop ~]# passwd es
```
- 1.2.3 将es用户添加到bigdata用户组
```
[root@hadoop ~]# usermod -G bigdata es
```
- 1.2.4 设置sudo权限
```
[root@hadoop ~]# vi sudo
```
找到root ALL=(ALL) ALL一行,添加es用户
```
## Allow root to run any commands anywhere
root ALL=(ALL) ALL
es ALL=(ALL) ALL
```
之后便可以通过su(switch user)命令切换到不同的用户。
- 1.2.5 下载elasticsearch安装包,解压
更改elasticsearch-6.1.1文件夹以及内部文件的所属用户为es, 用户组组为bigdata,-R表示递归执行目录内所有文件。
```
[es@hadoop ~]$ sudo chown -R es:bigdata /opt/elasticsearch-6.6.0
```
## 2.配置参数调整
- 2.1 修改elasticsearch.yml文件的network.host和http.port
- 2.2 切换到root用户,修改/etc/sysctl.conf
```
[es@hadoop ~]$ su
[root@hadoop elasticsearch-6.6.0]# vi /etc/sysctl.conf
```
并添加内容:
```
vm.max_map_count=262144
```
执行命令sysctl -p 使之生效
- 2.3 修改文件/etc/security/limits.conf
* hard nofile 65536
* soft nofile 65536
* soft nproc 2048
* hard nproc 4096
# End of file
## 3. 启动
进入es安装目录,执行。-d 参数表示后台后台执行。
[es@master elasticsearch-6.6.0]$ bin/elasticsearch -d
随后即可在浏览器9200端口验证是否正常启动。
注意:Elasticsearch通过HTTP协议请求默认采用9200端口,TCP请求采用9300端口。
因此,在JAVA实际应用中,除非明确采用HTTP请求,基本都是9300端口。
## 4. Kibana安装
实际应用过程中,个人更喜欢在Kibana工作栏中进行ES的查询何调试。
安装过程比较简单,略过。
| 17.826087 | 71 | 0.640244 | yue_Hant | 0.28135 |
67fbe0b92217e549a573c05b7d74d87058624588 | 3,203 | md | Markdown | README.md | ShaddyDC/osu_reader | 2ddcee93c645b7c68cf8114b1cb954b428d0f8a1 | [
"MIT"
] | 1 | 2020-08-16T14:05:13.000Z | 2020-08-16T14:05:13.000Z | README.md | ShaddyDC/osu_reader | 2ddcee93c645b7c68cf8114b1cb954b428d0f8a1 | [
"MIT"
] | 1 | 2020-07-22T16:11:38.000Z | 2020-07-22T16:11:38.000Z | README.md | ShaddyDC/osu_reader | 2ddcee93c645b7c68cf8114b1cb954b428d0f8a1 | [
"MIT"
] | null | null | null | # osu_reader
![C/C++ CI](https://github.com/ShaddyDC/osu_reader/workflows/C/C++%20CI/badge.svg)
A c++17 library for consuming osu files with alrightish testing for the positive cases.
## Usage
```cpp
#include <osu_reader/beatmap.h>
auto parser = osu::Beatmap_parser{};
parser.slider_paths = true;
const auto bm_optional = parser.from_file("path/to/beatmap.osu");
// Alternatively: parser.from_string(beatmap_string);
if(!bm_optional) handler_for_beatmap_not_found_or_however_you_deal_with_this_case();
else{
const auto beatmap = *bm_optional;
print(beatmap.title);
}
```
```cpp
#include <osu_reader/replay.h>
auto parser = osu::Replay_reader{};
parser.parse_frames = true; // Requires xz (LZMA)
// .value() throws on access if loading failed
const auto replay = parser.from_file("path/to/replay.osr").value();
print(replay.player_name);
```
Failing to parse files, i.e. the file couldn't be opened or the beatmap version couldn't be read, are handled by
returning an empty optional. This also applies for malformed replay files. For beatmaps, other errors such as being
unable to read a specific value are ignored altogether and the value will be in its default state.
You can find more usage examples in the [tests directory](tests).
## Installation
Recommended usage is to add the library as a submodule or clone it into a subdirectory of your project and to consume it
with cmake by calling `add_subdirectory(osu_reader)`. You can then add it to your application
with `target_link_libraries(yourApplication PRIVATE osuReader::osuReader)`.
Maybe it will be added to other package managers in the future if it is more mature.
**Note that the xz submodule is required to parse replay frames and is enabled by default.** It can be disabled with
the `ENABLE_LZMA` option in CMake. You can recursively download submodules
with `git submodule update --init --recursive`, though note that this will automatically initialise other submodules
that are not necessary to use the library.
Running the tests requires [Catch2](https://github.com/catchorg/Catch2/). Installing it
via [vcpkg](https://github.com/Microsoft/vcpkg/) is supported, although it is now also shipped with the project as a
submodule.
## Python Bindings
This library supports usage in python.
Simply install it by running `python setup.py install` in the project main directory.
Note that it requires the pybind11 and xz submodules by default.
You can run its tests with `python setup.py test`.
```python
import pyshosu
parser = pyshosu.Beatmap_parser()
parser.slider_paths = True
bm = parser.from_file("path/to/beatmap.osu")
print(bm.title)
reader = pyshosu.Replay_reader()
reader.parse_frames = True
r = reader.from_file("path/to/replay.osr")
print(r.player_name)
```
You can see more examples in the [tests file](tests/python_bindings_test.py).
## Completeness
### Implemented
- `.osu` format (Mostly, missing colours and hit extras)
- `.osr` format (Not thoroughly tested yet)
- Slider curve computation
### Planned
- `osu!.db` (maybe)
- Matching replay clicks to hitobjects etc
- Stack notes
If there's anything missing you need, open an issue and I'll push it on the priority list.
## Licence
MIT
| 33.020619 | 120 | 0.766157 | eng_Latn | 0.985584 |
67fc499b6796f527a2079ea983fdfc9a1f51d314 | 661 | md | Markdown | about/index.md | Yiwen-Zhang/Yiwen-Zhang.github.io | d462ab3a5ea9192bcee4bd1415fd1229de18f483 | [
"CC-BY-3.0",
"MIT"
] | null | null | null | about/index.md | Yiwen-Zhang/Yiwen-Zhang.github.io | d462ab3a5ea9192bcee4bd1415fd1229de18f483 | [
"CC-BY-3.0",
"MIT"
] | null | null | null | about/index.md | Yiwen-Zhang/Yiwen-Zhang.github.io | d462ab3a5ea9192bcee4bd1415fd1229de18f483 | [
"CC-BY-3.0",
"MIT"
] | null | null | null | ---
layout: page
title: About me
---
<IMG height="200" align="right" src="/images/profile3.JPG" />
I am Yiwen Zhang. I analyze data for fun, for fulfilling my passion, and for a living. Recently graduated from North Carolina State University under the direction of [Dr. Hua Zhou](http://hua-zhou.github.io/), I am getting ready for the next journey. More information about my professional experiences can be found on [Linkedin](https://www.linkedin.com/profile/view?id=80415510&trk=nav_responsive_tab_profile_pic).
I am a sensible person that many thoughts go through my mind. This is the place I put them down, for sharing and for clearing them up.
| 55.083333 | 420 | 0.757943 | eng_Latn | 0.985222 |
67fdd2482a3bdde5d8a03e3fd4ab94106a1701af | 1,367 | md | Markdown | README.md | altipla-consulting/fa5-icon | 5939e3c14bf5d58bcd23b084659fcb2db6070779 | [
"MIT"
] | null | null | null | README.md | altipla-consulting/fa5-icon | 5939e3c14bf5d58bcd23b084659fcb2db6070779 | [
"MIT"
] | null | null | null | README.md | altipla-consulting/fa5-icon | 5939e3c14bf5d58bcd23b084659fcb2db6070779 | [
"MIT"
] | null | null | null |
# fa5-icon
Vue 3 component to insert Font Awesome 5 icons.
## Install
```sh
npm i @altipla/fa5-icon
```
## Usage
Declare the `ac-icon` component in the main script of the app:
```js
import { createApp } from 'vue'
import { Icon } from '@altipla/fa5-icon'
import './icons'
let app = createApp(...) // your initialization
app.component(Icon.name, Icon)
app.mount(...) // your initialization
```
Icons are declared in a different file to make it easier to add or remove icons from the available list. Declare any icon you need there:
```js
import { library } from '@fortawesome/fontawesome-svg-core'
import {
faTrash as faTrashSolid,
} from '@fortawesome/free-solid-svg-icons'
library.add(
faTrashSolid,
)
```
Finally use the component as needed inside your app:
```vue
<template>
<ac-icon solid>trash</ac-icon>
<ac-icon duotone spin>spinner-third</ac-icon>
</template>
<script>
export default {
}
</script>
```
## Supported icons
There are multiple NPM libraries available from the `@fortawesome` organization if you have the Pro version. All of them are supported in this package.
|NPM package|
|-----------|
|`@fortawesome/free-solid-svg-icons`|
|`@fortawesome/pro-solid-svg-icons`|
|`@fortawesome/pro-regular-svg-icons`|
|`@fortawesome/pro-light-svg-icons`|
|`@fortawesome/pro-duotone-svg-icons`|
|`@fortawesome/pro-brands-svg-icons`|
| 19.253521 | 151 | 0.708851 | eng_Latn | 0.895779 |
67fe308767bebcb41557e3c9ac8234f63f95ae23 | 107 | md | Markdown | README.md | mtransitapps/ca-richelieu-citvr-bus-parser | 576773522a8d6acdf26d62d49af65eb217f14d84 | [
"Apache-2.0"
] | 1 | 2015-01-05T10:07:07.000Z | 2015-01-05T10:07:07.000Z | README.md | mtransitapps/ca-richelieu-citvr-bus-parser | 576773522a8d6acdf26d62d49af65eb217f14d84 | [
"Apache-2.0"
] | null | null | null | README.md | mtransitapps/ca-richelieu-citvr-bus-parser | 576773522a8d6acdf26d62d49af65eb217f14d84 | [
"Apache-2.0"
] | null | null | null | ca-richelieu-citvr-bus-parser
=============================
Parser for CITVR Vallée du Richelieu Bus data
| 21.4 | 45 | 0.588785 | oci_Latn | 0.880765 |
67fe7b763237b0e37f324b0c1ea54d3d2f02e53d | 2,180 | md | Markdown | _posts/2022-02-06-reflection.md | beeplay/beeplay.github.io | 0770faf56ae7da620f2f0191025451ad97f058c6 | [
"MIT"
] | null | null | null | _posts/2022-02-06-reflection.md | beeplay/beeplay.github.io | 0770faf56ae7da620f2f0191025451ad97f058c6 | [
"MIT"
] | null | null | null | _posts/2022-02-06-reflection.md | beeplay/beeplay.github.io | 0770faf56ae7da620f2f0191025451ad97f058c6 | [
"MIT"
] | null | null | null | ---
layout: post
title: "Reflections"
---
In 2019, I learned to see things in a new way during a research study abroad. In a small town situated between Thailand and Myanmar called Mae Sot, I worked with the Burma Medical Association, an organization that collected the dataset for my thesis. During this time, I supported operational and knowledge sharing activities.
Surprisingly, my most meaningful insights emerged from daily, informal activities. In the evenings, I would enjoy the warmth of a steaming bowl of fish soup or lahpet thoke (fermented tea leaf salad) with my host supervisor’s family and other international students. Our conversations would shift to Myanmar’s political development, which helped me become more aware of the country’s complex history and factors affecting the present-day realities of ethnic minority groups. The nighttime silence that followed dinner, broken only by cicada calls, were times I reflected on our increasingly interconnected community and my role as a global citizen.
Structured events provided yet another avenue to see differently. I was invited to celebrate the 30th anniversary of a primary healthcare clinic and the successes of a local art collaboration. I explored the clinic grounds and walls of colourful lines drawn by migrant pregnant women, who benefited from the proceeds of the artwork sold. In a tangible way, I saw how these community-championed initiatives played a central role in empowering the health and economic livelihood of immigrants and refugees from Myanmar.
Through these moments, I came to understand the value of global relationships. Living and learning with the community was worthwhile for reasons beyond benefits identified by researchers alone, such as improving research operations. By being willing to listen with an open mind, cultural exchanges can challenge assumptions and cultivate newfound respect and appreciation for the strengths and expertise of communities. My relationships brought into sharp focus the real lives of my research. I intend to carry this experience with me in my future work in the hopes of redefining the role of community relations in global health narratives.
| 198.181818 | 649 | 0.822477 | eng_Latn | 0.999867 |
67fef702e117e3bbdb5307c763e5fe1b3a3ef8f4 | 25 | md | Markdown | README.md | sulthana786/gitclass- | 5bfa1d4feb576a17aae09e82fe404455d38b043a | [
"Apache-2.0"
] | null | null | null | README.md | sulthana786/gitclass- | 5bfa1d4feb576a17aae09e82fe404455d38b043a | [
"Apache-2.0"
] | null | null | null | README.md | sulthana786/gitclass- | 5bfa1d4feb576a17aae09e82fe404455d38b043a | [
"Apache-2.0"
] | null | null | null | # gitclass-
this is sec
| 8.333333 | 12 | 0.68 | eng_Latn | 0.999949 |
67ff47d413c52181e1015912cce81d5ea5e3d16c | 497 | md | Markdown | _server/README.md | TonnyNguyen23/marketplace | d277057a6f13f5641466571f25a0427e833b605f | [
"MIT"
] | null | null | null | _server/README.md | TonnyNguyen23/marketplace | d277057a6f13f5641466571f25a0427e833b605f | [
"MIT"
] | null | null | null | _server/README.md | TonnyNguyen23/marketplace | d277057a6f13f5641466571f25a0427e833b605f | [
"MIT"
] | null | null | null | # RESTful API Node Server Boilerplate
A boilerplate/starter project for quickly building RESTful APIs using Node.js, Express, and Mongoose.
By running a single command, you will get a production-ready Node.js app installed and fully configured on your machine. The app comes with many built-in features, such as authentication using JWT, request validation, unit and integration tests, continuous integration, API documentation, pagination, etc. For more details, check the features list below.
| 82.833333 | 354 | 0.812877 | eng_Latn | 0.992419 |
67ff5ea23575596e6a782d9e4ccb1a5a0ee78226 | 5,846 | md | Markdown | README.md | Mullets-Gavin/Manager | 376c4638431cd78232dd49695ea7db9b2a4a9f1c | [
"MIT"
] | 2 | 2020-12-10T16:39:18.000Z | 2022-02-15T00:47:14.000Z | README.md | Mullets-Gavin/Manager | 376c4638431cd78232dd49695ea7db9b2a4a9f1c | [
"MIT"
] | null | null | null | README.md | Mullets-Gavin/Manager | 376c4638431cd78232dd49695ea7db9b2a4a9f1c | [
"MIT"
] | null | null | null | <div align="center">
<h1>Dice Manager</h1>
By [Mullet Mafia Dev](https://www.roblox.com/groups/5018486/Mullet-Mafia-Dev#!/about) | [Download](https://www.roblox.com/library/5653863543/Dice-Manager) | [Source](https://github.com/Mullets-Gavin/DiceManager)
</div>
Dice Manager is an elegant solution to solving the ever-challenging memory-posed problem of connections. Utilizing Dice Manager, you can manage your connections, custom wrap calls, and create a queue task scheduler. Dice Manager provides all the barebone tools you can use to hook events & custom connections to, allowing you to avoid the hassle of `table.insert` for all of your event loggings by using the `:ConnectKey()` method.
## Documentation
### DiceManager.set
```lua
Manager.set(properties)
```
Set the properties of the manager:
```
properties = dictionary
properties['Debug'] = bool -- true (on) or false (off)
properties['RunService'] = 'Stepped' or 'Heartbeat'
```
### DiceManager.wait
```lua
.wait([time])
```
An accurate wait function that takes a given time after the time is met more accurately than `wait()`
*Example:*
```lua
local function run()
print('running!')
end
Manager.wait(50) -- wait 50 seconds to run
run()
```
**Returns**
```lua
-- Stepped:
time -- The duration (in seconds) that RunService has been running for
step -- The time (in seconds) that has elapsed since the previous frame
-- Heartbeat:
step -- The time (in seconds) that has elapsed since the previous frame
```
The parameters of RunService.Stepped or RunService.Heartbeat are returned.
### DiceManager.wrap
```lua
.wrap(function)
```
Supply a function parameter to create a custom coroutine.wrap() function that acts the same except gives you a reliable stack trace when the function errors.
*Example:*
```lua
local function run()
print('running!')
print('break' + 100)
end
Manager.wrap(run)
```
### DiceManager.spawn
```lua
.spawn(function)
```
Supply a function parameter to create a custom coroutine.wrap() function that acts the same except you won't receive the errors caused, using pcall.
*Example:*
```lua
local function run()
print('running!')
print('the next line breaks, but the function wont print the error')
print('break' + 100)
end
Manager.spawn(run)
```
### DiceManager.delay
```lua
.delay(time,function)
```
An accurate delay function that takes a given time & a function, and runs after the time is met more accurately than `wait()` & built-in `delay()`
*Example:*
```lua
local function run()
print('running after 5 seconds passed')
end
Manager.delay(5,run)
```
### DiceManager.garbage
```lua
.garbage(time,instance)
```
An accurate delay function that takes a given time & an instance, and runs after the time is met more accurately than `wait()` & built-in `Debris:AddItem()`
*Example:*
```lua
local obj = instance.new('Part')
obj.Parent = workspace
obj.Anchored = true
Manager.garbage(5,obj)
```
### DiceManager:Connect
```lua
:Connect(function)
:Connect(RBXScriptConnection)
```
Supply a function or RBXScriptConnection type. Returns a dictionary with methods.
**Returns:**
```lua
control = dictionary
control:Fire(...)
control:Disconnect()
```
Calling `:Fire()` only works if the supplied parameter to `:Connect()` was a function. `:Disconnect()` disconnects all RBXScriptConnection or functions supplied in the `:Connect()` method. Optional parameters to `:Fire(...)` is allowed.
*Example:*
```lua
local function run(text)
print(text)
end
local event = Manager:Connect(run)
event:Fire('fired')
```
### DiceManager:ConnectKey
```lua
:ConnectKey(key,function)
:ConnectKey(key,RBXScriptConnection)
```
Supply a key along with a function or RBXScriptConnection type. Returns a dictionary with methods. Locks the provided functions/signals to a key.
**Returns:**
```lua
control = dictionary
control:Fire(...)
control:Disconnect()
```
Calling `:Fire()` only works if the supplied parameter to `:ConnectKey()` was a function. `:Disconnect()` disconnects all RBXScriptConnection or functions supplied in the `:ConnectKey()` method. Optional parameters to `:Fire(...)` is allowed.
*Example:*
```lua
local function run(text)
print(text)
end
local event = Manager:ConnectKey('Keepsake',run)
event:Fire('connection linked to a key')
```
### DiceManager:FireKey
```lua
:FireKey(key[,paramaters])
```
Fire all of the connections on a key with the given parameters.
*Example:*
```lua
Manager:ConnectKey('Keepsake',function(param)
print('1:',param)
end)
Manager:ConnectKey('Keepsake',function(param)
print('2:',param)
end)
Manager:FireKey('Keepsake','Running!')
```
### DiceManager:DisconnectKey
```lua
:DisconnectKey(key)
```
With the supplied key, disconnect all connections linked to the key.
*Example:*
```lua
Manager:ConnectKey('Keepsake',game:GetService('RunService').Heartbeat:Connect(function()
print('running on key "Keepsake"!')
end))
Manager:ConnectKey('Keepsake',game:GetService('RunService').Heartbeat:Connect(function()
print('running on key "Keepsake" as well omg!')
end))
game:GetService('RunService').Heartbeat:Wait()
Manager:DisconnectKey('Keepsake') -- disconnects all functions on the key
```
## DiceManager:Task
```lua
:Task([targetFPS])
```
Supply a target FPS to run on an independent channel or leave empty to run on the 60hz default (60 FPS). Create a task scheduler.
**Returns:**
```lua
control = dictionary
control:Queue(function)
control:Pause()
control:Resume()
control:Wait()
control:Enabled()
control:Disconnect()
```
Supply a function to `Queue()` to run a function in the order the function was passed in.
*Example:*
```lua
local scheduler = Manager:Task(30)
for index = 1,100 do
scheduler:Queue(function()
print('number:',index)
end)
if index == 50 then
scheduler:Pause()
end
end
print('Stopped at 50, starting again')
wait(2)
scheduler:Resume()
print('Finished')
scheduler:Disconnect()
```
| 24.982906 | 431 | 0.730756 | eng_Latn | 0.934202 |
67ff684de05e718cafe44b06095dda5c838de1fe | 11,302 | md | Markdown | README.md | lidiaxp/plannie | b05f80a8bb5170ccec0124c97251d515892dc931 | [
"Unlicense"
] | 6 | 2021-09-15T12:33:20.000Z | 2022-03-30T17:40:17.000Z | README.md | lidiaxp/plannie | b05f80a8bb5170ccec0124c97251d515892dc931 | [
"Unlicense"
] | null | null | null | README.md | lidiaxp/plannie | b05f80a8bb5170ccec0124c97251d515892dc931 | [
"Unlicense"
] | null | null | null |
# Plannie
Plannie is a framework to path planning in Python, simulated environments, and flights in real environments.
## Installation
The project can be installed in any directory on the computer with the following commands:
```bash
git clone https://github.com/lidiaxp/plannie.git
pip install -r requirements.txt
```
## Features
- Classical, meta heuristic, and machine learning path planning techniques in 2D and 3D;
- Integration with Python, Gazebo ([MRS Simulator](https://ctu-mrs.github.io/) and [Sphinx](https://developer.parrot.com/docs/sphinx/whatissphinx.html)), and real environmts
- Avoid dynamic obstacles;
- Deep benchmark with path length, time, memory, CPU, battery, fligth time, among others;
- Supports several external maps, as [House Expo](https://github.com/TeaganLi/HouseExpo) and [Video Game maps](https://www.movingai.com/benchmarks/voxels.html);
- Supports Hokuyo, RpLidar, Velodyne, GPS, GPS RTK, and several cameras;
- Travelling salesman problem and coverage path planning algorithms;
- Decision maker supports modular localization, mapping, controller, and vision scripts;
- Decision maker suport multi-UAVs.
The path planning algorithms avaiable are:
- **Exact classical**: A*, Artificial Potential Field
- **Aproximate classical**: Probabilistic Road Map, Rapid-Exploring Random Tree, Rapid-Exploring Random Tree - Connect
- **Meta heuristic**: Particle Swarm Optimization, Grey Wolf Optimization, Glowworm Swarm Optimization
- **Machine Learning**: Q-Learning
## Running Tests
It is highly recommended to carry out the first tests with [this simulator](https://github.com/ctu-mrs/mrs_uav_system) as it is defined for the movimentoROS* and unknownEnvironments* codes. There is a decision maker to work with the drone_dev controller and cmd_vel robots, ```decisionMakerDroneDev.py``` and ```decisionMakerCmdVel.py```, respectively. However the structure provided is the default, still being necessary to configure it to work in specific missions.
A description of how to make this configuration will be released soon. For more experienced users, it is possible to import the usage mode of the movimentoROS* codes to operate in the same way.
```diff
- Please, read Mode of Use Section before running tests
```
Note: This planner is based in MRS, to change is just need switch controller (explained below) and change the subscribers topics.
The environment is defined in helper/ambiente.py to 2D environments and in 3D/helper/ambiente.py to 3D environmets.
#### To run 2D tests in Python:
```bash
python3 unknownEnvironment.py
```
#### To run 2D tests in simulator and real environments:
```bash
python3 movimentoROS.py
```
If use unknown environments (the default uses rplidar) run this code before, each in different terminal:
```bash
roslaunch obstacle_detector rplidar_mrs.launch
python3 helper/rplidar.py
```
Else, is needed change the variable ```self.knownEnvironment``` from 0 to 1, and follow the instructions in Mode of Use to configure the environment.
#### To run 3D tests in Python:
```bash
cd 3D
python3 unknownEnvironment3D.py
```
#### To run 3D tests in simulator and real environments:
```bash
cd 3D
python3 movimentoROS3D.py
```
If you will use known environments, is needed change the variable ```self.knownEnvironment``` from 0 to 1, and follow the instructions in Mode of Use to configure the environment.
## Mode of Use
In the movimentoROS* codes:
- Any environment can be used to run in Gazebo, but is needed that your environement is opened before run Plannie. In Plannie, the control is defined in ```andarGlobal``` function at ```utilsUav``` file. By default, the controller is MPC used by MRS, to work with ```/cmd_vel``` change the variable ```self.controller``` to 0 (1: MPC in MRS | 0: cmd_vel);
- To change between known e unknown environment change the variable ```self.knownEnvironment```. **Note**: If use known environment is needed configure the entire environment, as shown in Section ```Change Environment``` below. If use unknown environment is import define start and goal node, as described in the Section below. **Note2**: By default the mapping is made with velodyne in 3D environment and rplidar in 2D environment;
- To use rplidar is needed download [this package](https://github.com/tysik/obstacle_detector) on your ROS workspace, insert ```launch/rplidar_mrs.launch```, from plannie package, in the launch folder of obstacle_detector package, and compile the workspace;
- In 2D environments, if is needed to change the default height, change the variable ```self.altura```;
- It is possible choose the path planning technique in the imports, the strucutre is similar to these model and can be change to any path planning algorithm present in the plannie;
- You can add other variables similar to this to use different algorithms to initial planning and when discover new obstacles. The technique used in this cases are defined in callbackStatic (when discover new environments) and callbackBuildMap (initial planning);
- Regardless of whether to use known or unknown environment, it is necessary to define the goal node and the size of the environment. In the Section ```Change Environment``` it is shown how to define these values;
- The dynamic path planning are disabled to simulator, but if you need use just modify the callbackDynamic.
In the unknownEnvironment* codes:
- There are a list of algorithms avaiable at the start (next to line 25), just turn the variable true to use the technique;
- In this case, by default, is not possible use different algorithms to initial planning and when discover new obstacles. However, it is possible import the technique in helper/unknown.py and define the best technique to each planning. The initial planning is defined in alg.run next to line 96, and the planning when discover new obstacles is defined in alg.run next to to line 326;
- Define dynamic obstacles in helper/unknown.py in the variables obs* (next to line 22);
- The algorithm to be used in dynamic path planning is defined with the function newSmooth next to to line 276 and 279. This function uses Pedestrian Avoidance Method, if you need use Riemannian Motion Policies, import it at start and switch this function.
If you will carry out flights in real environment, have several scripts to support use the sensors in the folder _helper_.
## Change Environment
To change 2D environment use the file ```helper/ambiente.py``` and modify these variables:
- **tamCapa**: define the size of risk zone
- **self.limiar**: define the environment size
- **self.xs**: define the start node in X
- **self.ys**: define the start node in Y
- **self.xt**: define the goal node in X
- **self.yt**: define the goal node in Y
- **obsVx**: define x-axis of vertical obstacles
- **obsVy**: define y-axis of horizontal obstacles
- **obsHx**: define x-axis of vertical obstacles
- **obsHy**: define y-axis of horizontal obstacles
The difference between vertical and horizonal obstacles just matter if use risk zone.
To change 3D environment use the file ```3D/helper/ambiente.py``` and modify these variables:
- **tamCapa**: define the size of risk zone
- **self.limiar**: define the environment size
- **self.xs**: define the start node in X
- **self.ys**: define the start node in Y
- **self.ys**: define the start node in Z
- **self.zt**: define the goal node in X
- **self.yt**: define the goal node in Y
- **self.zt**: define the goal node in Z
- **vermelhoX**: define x-axis of walls that the vehicle can not pass
- **vermelhoY**: define y-axis of walls that the vehicle can not pass
- **rosaX**: define x-axis of walls that the vehicle just go over
- **rosaY**: define y-axis of walls that the vehicle just go over
- **amareloX**: define y-axis of walls that the vehicle just go under
- **amareloY**: define y-axis of walls that the vehicle just go under
To modify the height of these walls change zobs* variables. If you want define the obstacles nodes separately, ignore the variables [vermelhoX, vermelhoY, rosaX, rosaY, amareloX, amareloY] and change:
- **self.xobs**: define all X nodes
- **self.yobs**: define all Y nodes
- **self.zobs**: define all Z nodes
To use external maps:
- **houseExpo maps**: run readFromHouseExpo function in ```helper/ocupancyGridMap.py``` (defining the json file form houseExpo) and import the return in the ambiente.py file
- **Videogame maps**: run readFromWarframe function in ```helper/ocupancyGridMap.py``` and import the return in the ambiente.py file
To create your own maps:
- **2D indoor**: ```python3 helper/createScenario/createScenario.py``` and draw your scenario, when the pointer out from the screen the x and y nodes will be showed in the terminal
- **2D/3D indoor**: the file ```helper/createScenario/caixas.py``` will export, in a .txt, all models to be used in a .world file (from gazebo) to build the environment. The sctructure is the same of 3D environment in ```3D/helper/ambiente.py```
- **Forests**: the file ```helper/createScenario/createGazeboModel.py``` export a .world to be used in Gazebo simulator. The variable size1 and size2 define the size of the forest, space is the spacing between the trees, beta is the forest density. It is possible to add gaps with the function createClareira (example next to line 300). The alpha variable represents the gaps density
## Extra Features
To use travelling salesman problem use one of these codes:
```bash
python3 tsp/cvDict.py
python3 tsp/cvKNN.py
python3 tsp/pcv.py
```
The first use a deterministic technique, the second use a K-Nearest Neighbor, and the last use a permutation.
To use coverage path planning with sweep algorithm:
```bash
python3 coverageFolder/grid_based_sweep_coverage_path_planner.py
```
To use these algorithms in the primary code import them at the start and define the use. Commonly, the coverage algorithm is used in __ init __ and tsp is used to optimize some route.
## Authors
- [@lidiaxp](https://lidiaxp.github.io/)
- [@kelenVivaldini](https://github.com/vivaldini)
## Feedback
If you have any feedback, please reach out to us at lidia@estudante.ufscar.br with subject "Plannie - Feedback".
## License
MIT License
Copyright (c) 2021 Lidia Gianne Souza da Rocha
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.
| 53.819048 | 467 | 0.764997 | eng_Latn | 0.991067 |
db0061116e744b9e05fefb21f3b8affe8904941b | 259 | md | Markdown | _posts/2021-07-22-payday.md | ShisaBot/shisabot.github.io | 4514e6466c0699ba8f01f2cba8535b62761a9438 | [
"MIT"
] | null | null | null | _posts/2021-07-22-payday.md | ShisaBot/shisabot.github.io | 4514e6466c0699ba8f01f2cba8535b62761a9438 | [
"MIT"
] | null | null | null | _posts/2021-07-22-payday.md | ShisaBot/shisabot.github.io | 4514e6466c0699ba8f01f2cba8535b62761a9438 | [
"MIT"
] | null | null | null | ---
layout: post
title: payday
subtitle: Get some free currency.
categories: economy
tags: [payday]
---
`Syntax: shisa payday`
```
Type shisa help <command> for more info on a command. You can also type shisa help <category> for more info on a category.
``` | 19.923077 | 122 | 0.718147 | eng_Latn | 0.995861 |
db00e28e7408c5df2db421ed74ff7bdb74441b4c | 529 | md | Markdown | packages/oly-json/docs/Stringify.md | nolyme/oly | f16d24dee8d2a9003847b58918eb8cf52c7f254f | [
"MIT"
] | 11 | 2017-06-14T08:29:45.000Z | 2021-06-23T09:48:48.000Z | packages/oly-json/docs/Stringify.md | nolyme/oly | f16d24dee8d2a9003847b58918eb8cf52c7f254f | [
"MIT"
] | 1 | 2021-08-31T17:16:36.000Z | 2021-08-31T17:16:36.000Z | packages/oly-json/docs/Stringify.md | nolyme/oly | f16d24dee8d2a9003847b58918eb8cf52c7f254f | [
"MIT"
] | 2 | 2018-01-17T06:39:35.000Z | 2021-12-14T14:36:02.000Z | # Stringify
Serialization works with a regular [JSON.stringify()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/JSON/stringify).
```ts
import { Kernel } from "oly";
import { Json, field } from "oly-json";
class Data {
@field name: string;
// ECMAScript standard
toJSON() {
return {
name: this.name.toUpperCase(),
}
}
}
const json = Kernel.create().get(Json);
const data = json.build(Data, {name: "Jean"});
json.stringify(data);
// same
JSON.stringify(data);
```
| 19.592593 | 151 | 0.667297 | eng_Latn | 0.246173 |
db01e45cea8c01ae9aea4511ea29fd5b37365a99 | 136 | md | Markdown | README.md | SIT-Coders/Website-Reverb--16 | 3217f2ec234942ba04a806f6a35889c38fc8c86d | [
"MIT"
] | null | null | null | README.md | SIT-Coders/Website-Reverb--16 | 3217f2ec234942ba04a806f6a35889c38fc8c86d | [
"MIT"
] | null | null | null | README.md | SIT-Coders/Website-Reverb--16 | 3217f2ec234942ba04a806f6a35889c38fc8c86d | [
"MIT"
] | null | null | null | # Website-Reverb--16
Code of website used for Reverb-'16.
Click [here for Demo](http://sit-coders.github.io/Website-Reverb--16/Kreo10/)
| 34 | 77 | 0.742647 | yue_Hant | 0.287386 |
db026281c757ff0acbbd3abf3a3c137f18c9f57b | 7,133 | md | Markdown | README.md | tavareshenrique/4taxcloud | 808bc0a5e1befa0de0383eb183b64b53c3d999de | [
"MIT"
] | null | null | null | README.md | tavareshenrique/4taxcloud | 808bc0a5e1befa0de0383eb183b64b53c3d999de | [
"MIT"
] | null | null | null | README.md | tavareshenrique/4taxcloud | 808bc0a5e1befa0de0383eb183b64b53c3d999de | [
"MIT"
] | null | null | null | <p align="center">
<img src="./src/assets/img/.github/4TaxCloud.png" alt="Proffy" width="280"/>
</p>
<p align="center">
<a href="https://www.linkedin.com/in/tavareshenrique/">
<img alt="Henrique Tavares" src="https://img.shields.io/badge/-Henrique Tavares-318BA2?style=flat&logo=Linkedin&logoColor=white" />
</a>
<img alt="Repository size" src="https://img.shields.io/github/repo-size/tavareshenrique/4taxcloud?color=318BA2">
<a aria-label="Last Commit" href="https://github.com/tavareshenrique/4taxcloud/commits/master">
<img alt="Last commit on GitHub" src="https://img.shields.io/github/last-commit/tavareshenrique/4taxcloud?color=318BA2">
</a>
<a href="https://github.com/tavareshenrique/4taxcloud/commits/master">
<img alt="GitHub last commit" src="https://img.shields.io/github/last-commit/tavareshenrique/4taxcloud?color=318BA2">
</a>
<img alt="License" src="https://img.shields.io/badge/license-MIT-318BA2">
</p>
> 4TaxCloud is software that helps companies manage our withholding income tax (IRRF) calculation for each of their employees.
<p align="center">
<a href="README.md">English</a>
·
<a href="README-pt.md">Portuguese</a>
</p>
<div align="center">
<sub>The 4TaxCloud project. Built with ❤︎ by
<a href="https://github.com/tavareshenrique">Henrique Tavares</a>
</sub>
</div>
# :pushpin: Table of Contents
* [Demo Website](#eyes-demo-website)
* [Technologies](#computer-technologies)
* [How to Run](#construction_worker-how-to-run)
* [Author](#computer-author)
* [License](#closed_book-license)
<h2 align="left"> 📥 Layout at: </h2>
<p align="center">
<a href="https://www.figma.com/file/z0MPYjEn2TEmGcQnAzc7X2/4TaxCloud?node-id=0%3A1">
<img alt="Direct Download" src="https://img.shields.io/badge/Access Web Layout-black?style=flat-square&logo=figma&logoColor=red" width="200px" />
</a>
</p>
### Web Screenshot
<div>
<img src="src/assets/img/.github/home.png" width="400px">
<img src="src/assets/img/.github/home2.png" width="400px">
<img src="src/assets/img/.github/employe.png" width="400px">
<img src="src/assets/img/.github/employe2.png" width="400px">
<img src="src/assets/img/.github/employe3.png" width="400px">
<img src="src/assets/img/.github/employe_home.png" width="400px">
</div>
# :eyes: Demo Website
You can acess the website at:
👉 demo: <https://4taxcloud.henriquetavares.com/>
🚨 **Remember: I'ts a only demo, don't have a API to save your data.**
🤩 **Buuuuut, you can make it work, if you put the servers to run on your localhost. How do you do that? Just follow the steps below in [How to Run](#construction_worker-how-to-run).**
[![Netlify Status](https://api.netlify.com/api/v1/badges/97212814-6074-4f0f-853c-b30894ab0750/deploy-status)](https://app.netlify.com/sites/4taxcloud/deploys)
# :computer: Technologies
This project was made using the follow technologies:
* [Typescript](https://www.typescriptlang.org/)
* [React](https://reactjs.org/)
* [Axios](https://github.com/axios/axios)
* [Boostrap](https://github.com/twbs/bootstrap)
* [React Boostrap](https://github.com/react-bootstrap/react-bootstrap)
* [Unform](https://github.com/Rocketseat/unform)
* [CPF-CNPJ Validator](https://github.com/carvalhoviniciusluiz/cpf-cnpj-validator)
* [Polished](https://github.com/styled-components/polished)
* [React Icons](https://github.com/react-icons/react-icons)
* [React Input Mask](https://github.com/sanniassin/react-input-mask)
* [React Intl Currency Input](https://github.com/thiagozanetti/react-intl-currency-input)
* [React Router DOM](https://github.com/ReactTraining/react-router)
* [React Toast Notifications](https://github.com/jossmac/react-toast-notifications)
* [Sweetalert2](https://github.com/sweetalert2/sweetalert2)
* [SWR](https://github.com/vercel/swr)
* [UUIDV4](https://github.com/thenativeweb/uuidv4)
* [React Testing Library](https://github.com/testing-library/react-testing-library)
* [Cypress](https://github.com/cypress-io/cypress)
* [Jest](https://jestjs.io/)
* [Faker](https://github.com/Marak/Faker.js)
* [Jest-Environment JSDOM Sixteen](https://github.com/SimenB/jest-environment-jsdom-sixteen)
* [Axios Mock Adapter](https://github.com/ctimmerm/axios-mock-adapter)
* [Prettier](https://github.com/prettier/prettier)
* [React App Rewired](https://github.com/facebook/react/tree/master/packages/react-test-renderer)
* [React Test Renderer](https://github.com/facebook/react/tree/master/packages/react-test-renderer)
* [ESLint](https://github.com/eslint/eslint)
* [ESLint Airbnb](https://github.com/airbnb/javascript)
* [Prettier](https://github.com/prettier/prettier)
# :construction_worker: How to run
```bash
# Clone Repository
$ git@github.com:tavareshenrique/4taxcloud.git
```
### 📦 Run API
🚨 **Attention this project is using [JSON Server](https://github.com/typicode/json-server), it is necessary that you have JSON Server installed to proceed.**
If you do not have JSON Server installed, use the command below to install, or go to the official [JSON Server](https://github.com/typicode/json-server) github for more details.
```bash
# Installing JSON Server
npm install -g json-server
```
All right? Let's continue. 😜
```bash
# Download all dependencies
$ yarn
# Start the JSON Server
$ yarn server
```
Access API at <http://localhost:3333/funcionarios>
### 💻 Run Web Project
```bash
# Run Aplication
$ yarn start
```
Go to <http://localhost:3000/> to see the result.
### ✅ Run e2e Tests using React Testing Library
The React Testing Library was used to perform all individual e2e Tests for each Component of the application and the hooks.
```bash
# Run all tests
$ yarn test:watch
```
### ☑ Run e2e Tests using Cypress
Cypress was used to perform all individual e2e tests on each page of the application, in this case: Home and Employees.
Before running Cypress tests, it is necessary to run a test server.
**So, terminate your JSON Server.**
```bash
# Run Cypress Server Test
$ yarn cypress:server
# Run Cypress Tests
$ yarn cypress:run
# or
$ yarn cypress:open
```
Click in **Run all specs**
<div>
<img src="src/assets/img/.github/cypress.png" width="400px">
</div>
# :computer: Author
<table>
<tr>
<td align="center">
<a href="http://github.com/tavareshenrique/">
<img src="https://avatars1.githubusercontent.com/u/27022914?v=4" width="100px;" alt="Henrique Tavares"/>
<br />
<sub>
<b>Henrique Tavares</b>
</sub>
</a>
<br />
<a href="https://www.linkedin.com/in/tavareshenrique/" title="Linkedin">@tavareshenrique</a>
<br />
<a href="https://github.com/tavareshenrique/4taxcloud/commits?author=tavareshenrique" title="Code">💻</a>
</td>
</tr>
</table>
# :closed_book: License
Released in 2020 :closed_book: License
Made with love by [Henrique Tavares](https://github.com/tavareshenrique) 🚀.
My thanks to [Elan Fraga](https://github.com/elanfraga) for helping with the calculations and to [Seidor](https://www.seidor.com.br/content/seidor-latam-br/pt.html) for the challenge.
This project is under the [MIT license](./LICENSE).
| 34.626214 | 183 | 0.713445 | eng_Latn | 0.189409 |
db03f034d9beffc050702fb1df4cec077cba4ff6 | 535 | md | Markdown | data/update/2020-05/2020-05-18-15_10_14-uk-lse.ac.md | jianghe1220/covid19-datahub | 9b8d8e0bf899fb5401cd22f120faf6deb86f35c5 | [
"MIT"
] | 5 | 2020-04-06T13:22:17.000Z | 2020-06-24T03:22:12.000Z | data/update/2020-05/2020-05-18-15_10_14-uk-lse.ac.md | jianghe1220/covid19-datahub | 9b8d8e0bf899fb5401cd22f120faf6deb86f35c5 | [
"MIT"
] | 26 | 2020-03-30T04:42:14.000Z | 2020-04-29T05:33:02.000Z | data/update/2020-05/2020-05-18-15_10_14-uk-lse.ac.md | applysquare/covid19-datahub | 7b99d266f48dca194a13fa02d3ee72aeb10bc1d7 | [
"MIT"
] | 20 | 2020-03-29T02:09:44.000Z | 2020-04-11T03:36:52.000Z | ---
title: Will there be extensions for dissertations or coursework?
subtitle:
date: 2020-05-15
link: >-
https://info.lse.ac.uk/coronavirus-response/assessment-faqs
countryCode: uk
status: published
instituteSlug: uk-lse.ac
---
Your department will be in touch about any changes to submission deadlines for dissertations or coursework that are due between now and summer 2020. Where deadlines have altered, this will give you autonomy over your work schedule so you can plan your assessment timetable in a way that suits you best.
| 44.583333 | 303 | 0.792523 | eng_Latn | 0.995556 |
db042504f413ea300be5c7dd18cbeb31e6c71942 | 575 | md | Markdown | docs/booting/iso.md | majjihari/0-core | 1d8ad2c943218d765109bb6e8f0d843be9222727 | [
"Apache-2.0"
] | 25 | 2017-06-03T17:58:18.000Z | 2021-01-26T07:57:15.000Z | docs/booting/iso.md | majjihari/0-core | 1d8ad2c943218d765109bb6e8f0d843be9222727 | [
"Apache-2.0"
] | 441 | 2017-05-29T11:22:22.000Z | 2019-12-09T09:31:03.000Z | docs/booting/iso.md | majjihari/0-core | 1d8ad2c943218d765109bb6e8f0d843be9222727 | [
"Apache-2.0"
] | 10 | 2017-06-17T02:44:55.000Z | 2019-03-19T20:13:57.000Z | # Create a Bootable Zero-OS ISO File
You can get bootable Zero-OS ISO file from the Zero-OS Bootstrap Service, as documented in [Zero-OS Bootstrap Service](../bootstrap/README.md).
Alternatively you can of course create one yourself, after having build your own Zero-OS kernel based on the documentation in [Building your own Zero-OS Boot Image](../building/README.md).
This is how:
```shell
dd if=/dev/zero of=zero-os.iso bs=1M count=150
mkfs.vfat zero-os.iso
mount zero-os.iso /mnt
mkdir -p /mnt/EFI/BOOT
cp staging/vmlinuz.efi /mnt/EFI/BOOT/BOOTX64.EFI
umount /mnt
```
| 35.9375 | 188 | 0.758261 | eng_Latn | 0.73624 |
db0517dc9698f2bd549d1be4864c24514e0e040f | 3,374 | md | Markdown | README.md | MoltenCraft/client | bd4dbc2660c2048cc13b7efff783a74f1e0e7913 | [
"Apache-2.0"
] | null | null | null | README.md | MoltenCraft/client | bd4dbc2660c2048cc13b7efff783a74f1e0e7913 | [
"Apache-2.0"
] | 24 | 2019-10-16T12:45:13.000Z | 2021-07-26T06:08:51.000Z | README.md | MoltenCraft/client | bd4dbc2660c2048cc13b7efff783a74f1e0e7913 | [
"Apache-2.0"
] | null | null | null | <h1 align="center">
<br>
MoltenCraft
<br>
</h1>
<h4 align="center">Best way to search and export items!</h4>
<p align="center">
<a><img src="https://img.shields.io/circleci/build/github/MoltenCraft/client/master?style=flat-square" alt="Build"></a>
<!-- <a><img src="https://img.shields.io/codacy/grade/abc123?style=flat-square" alt="Grade"></a> -->
<a><img src="https://img.shields.io/david/MoltenCraft/client?style=flat-square" alt="Dependencies"></a>
<a><img src="https://badges.greenkeeper.io/MoltenCraft/client.svg?style=flat-square" alt="Greenkeeper"></a>
<a><img src="https://img.shields.io/github/issues/MoltenCraft/client?style=flat-square" alt="Issues"></a>
</p>
<p align="center">
<a><img src="https://img.shields.io/github/package-json/v/MoltenCraft/client/master?style=flat-square" alt="Version"></a>
<a><img src="https://img.shields.io/github/languages/code-size/MoltenCraft/client?style=flat-square" alt="Code Size"></a>
<!-- <a><img src="https://img.shields.io/github/stars/MoltenCraft/client?style=flat-square" alt="Stars"></a> -->
<!-- <a><img src="https://img.shields.io/discord/{id}?style=flat-square" alt="Discord"></a> -->
<a><img src="https://img.shields.io/github/contributors/MoltenCraft/client?style=flat-square" alt="Contributors"></a>
<a><img src="https://img.shields.io/github/license/MoltenCraft/client?style=flat-square" alt="Licance"></a>
</p>
# About
MoltenCraft is developing for players, via players. You can find items, create collections
and export these collections for addOns or other platforms.
### Why?
- Speedy and efficient
- Feature-rich
- Maintainable
### Technology
_MoltenCraft_ uses a number of open source projects to work properly:
- [Node.js] - _moltenCraft_ uses this powerful programming language.
- [Vue.js] - Amazing progressive framework.
- [Express.js] - Fast, unopinionated, minimalist web framework.
- [MongoDB] - Most popular database for modern apps.
- [VScode] - We're highly recommending this awesome code editor.
...And more!
And of course _MoltenCraft_ itself is open source with a [public repository][repository] on _GitHub_.
# Vulnerability
Web security is the most important thing for all of us on the internet. And for us, too.
We're working on it all steps. Please see our [SECURITY.md]
### Semantic Versioning
We're using [SemVer][semver] for this project.
### Development
Want to contribute? Great!
_MoltenCraft_ uses eslint for stable developing.
Make a change in your file and instantanously see your updates!
Open your favorite Terminal and run these commands.
```sh
$ git clone <url>
$ cd <cloned_folder_name>
$ npm i
$ npm run serve
```
### Our Contributors
- Yankı Küçük - [Twitter][yk]
And you can see also all contributors [here][contributors].
[node.js]: https://github.com/nodejs/node/blob/master/README.md
[vue.js]: https://github.com/vuejs/vue/blob/dev/README.md
[express.js]: https://github.com/expressjs/express/blob/master/Readme.md
[mongodb]: https://github.com/mongodb/mongo/blob/master/README
[vscode]: https://code.visualstudio.com/insiders/
[security.md]: https://github.com/moltenCraft/client/blob/master/SECURITY.md
[repository]: https://github.com/moltenCraft/client
[semver]: https://semver.org
[yk]: https://twitter.com/seviyorumstop
[contributors]: https://github.com/moltenCraft/client/graphs/contributors
## License
Aphace 2.0 | 37.910112 | 123 | 0.732365 | eng_Latn | 0.278979 |
dc5dd30570783a2d63e47d6978a04258b98f2b40 | 158 | md | Markdown | README.md | ulysses4ever/ghc-gc-tune | db721e3032b5097681f5f1e62baac9efe5740799 | [
"BSD-3-Clause"
] | null | null | null | README.md | ulysses4ever/ghc-gc-tune | db721e3032b5097681f5f1e62baac9efe5740799 | [
"BSD-3-Clause"
] | null | null | null | README.md | ulysses4ever/ghc-gc-tune | db721e3032b5097681f5f1e62baac9efe5740799 | [
"BSD-3-Clause"
] | 1 | 2020-07-14T21:33:05.000Z | 2020-07-14T21:33:05.000Z | # ghc-gc-tune #
Originally written by Don Stewart. Blog: https://donsbot.wordpress.com/2010/07/05/ghc-gc-tune-tuning-haskell-gc-settings-for-fun-and-profit/
| 39.5 | 140 | 0.765823 | eng_Latn | 0.375551 |
dc5e18b528db72fa63297b3a8be812beaed8a1d6 | 889 | md | Markdown | src/content/blog/2021-03-03/2021-03-03.md | mattborghi/ViolinBlog | 58242fb09453417cbc986ae77caf2c00eaff04d6 | [
"MIT"
] | null | null | null | src/content/blog/2021-03-03/2021-03-03.md | mattborghi/ViolinBlog | 58242fb09453417cbc986ae77caf2c00eaff04d6 | [
"MIT"
] | 87 | 2020-12-17T07:37:12.000Z | 2022-03-26T23:56:30.000Z | src/content/blog/2021-03-03/2021-03-03.md | mattborghi/ViolinBlog | 58242fb09453417cbc986ae77caf2c00eaff04d6 | [
"MIT"
] | null | null | null | ---
layout: post
title: 03rd March 2021
image: ../../img/violin-mar.jpg
author: [Matias Borghi]
date: 2021-03-03
tags:
- Class
- Tchaïkovski
- Küchler
---
### None but the Lonely Heart. Andante non tanto Op.6 by P. Tchaïkovski
I have to keep working on following the rythm right.
> with piano accompaniment.
<iframe width="560" height="315" src="https://www.youtube.com/embed/AlX-RvPlb_U" frameborder="0" allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture" allowfullscreen></iframe>
### Concertino in G, Op. 11 by F. Küchler
First time playing it with accompaniment and all together.
> with piano accompaniment
<iframe width="560" height="315" src="https://www.youtube.com/embed/2bHOfvJbXkI" frameborder="0" allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture" allowfullscreen></iframe> | 32.925926 | 219 | 0.745782 | eng_Latn | 0.713116 |
dc6049dd556f94a4c69c3894d3496cb6f24ab0ef | 15,473 | md | Markdown | docs/interfaces/_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md | criterrorr/instagram-private-api | 37c859276518b9bec21942fc34733bf1249d09b9 | [
"MIT"
] | null | null | null | docs/interfaces/_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md | criterrorr/instagram-private-api | 37c859276518b9bec21942fc34733bf1249d09b9 | [
"MIT"
] | null | null | null | docs/interfaces/_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md | criterrorr/instagram-private-api | 37c859276518b9bec21942fc34733bf1249d09b9 | [
"MIT"
] | null | null | null | > **[instagram-private-api](../README.md)**
[Globals](../README.md) / ["responses/reels-tray.feed.response"](../modules/_responses_reels_tray_feed_response_.md) / [ReelsTrayFeedResponseItemsItem](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md) /
# Interface: ReelsTrayFeedResponseItemsItem
## Hierarchy
- **ReelsTrayFeedResponseItemsItem**
## Index
### Properties
- [attribution](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-attribution)
- [can_reply](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#can_reply)
- [can_reshare](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#can_reshare)
- [can_viewer_save](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#can_viewer_save)
- [caption](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#caption)
- [caption_is_edited](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#caption_is_edited)
- [caption_position](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#caption_position)
- [client_cache_key](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#client_cache_key)
- [code](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#code)
- [creative_config](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-creative_config)
- [device_timestamp](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#device_timestamp)
- [expiring_at](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#expiring_at)
- [filter_type](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#filter_type)
- [has_audio](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-has_audio)
- [has_shared_to_fb](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#has_shared_to_fb)
- [id](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#id)
- [image_versions2](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#image_versions2)
- [imported_taken_at](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-imported_taken_at)
- [is_dash_eligible](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-is_dash_eligible)
- [is_pride_media](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#is_pride_media)
- [is_reel_media](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#is_reel_media)
- [media_type](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#media_type)
- [number_of_qualities](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-number_of_qualities)
- [organic_tracking_token](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#organic_tracking_token)
- [original_height](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#original_height)
- [original_width](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#original_width)
- [photo_of_you](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#photo_of_you)
- [pk](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#pk)
- [reel_mentions](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-reel_mentions)
- [show_one_tap_fb_share_tooltip](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#show_one_tap_fb_share_tooltip)
- [story_locations](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-story_locations)
- [story_polls](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-story_polls)
- [story_questions](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-story_questions)
- [story_quizs](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-story_quizs)
- [supports_reel_reactions](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#supports_reel_reactions)
- [taken_at](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#taken_at)
- [user](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#user)
- [video_codec](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-video_codec)
- [video_dash_manifest](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-video_dash_manifest)
- [video_duration](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-video_duration)
- [video_versions](_responses_reels_tray_feed_response_.reelstrayfeedresponseitemsitem.md#optional-video_versions)
## Properties
### `Optional` attribution
• **attribution**? : _[ReelsTrayFeedResponseAttribution](\_responses_reels_tray_feed_response_.reelstrayfeedresponseattribution.md)\_
_Defined in [responses/reels-tray.feed.response.ts:93](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L93)_
---
### can_reply
• **can_reply**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:76](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L76)_
---
### can_reshare
• **can_reshare**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:75](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L75)_
---
### can_viewer_save
• **can_viewer_save**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:71](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L71)_
---
### caption
• **caption**: _null_
_Defined in [responses/reels-tray.feed.response.ts:70](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L70)_
---
### caption_is_edited
• **caption_is_edited**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:66](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L66)_
---
### caption_position
• **caption_position**: _number_
_Defined in [responses/reels-tray.feed.response.ts:67](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L67)_
---
### client_cache_key
• **client_cache_key**: _string_
_Defined in [responses/reels-tray.feed.response.ts:60](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L60)_
---
### code
• **code**: _string_
_Defined in [responses/reels-tray.feed.response.ts:59](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L59)_
---
### `Optional` creative_config
• **creative_config**? : _[ReelsTrayFeedResponseCreative_config](\_responses_reels_tray_feed_response_.reelstrayfeedresponsecreative*config.md)*
_Defined in [responses/reels-tray.feed.response.ts:92](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L92)_
---
### device_timestamp
• **device_timestamp**: _number | string_
_Defined in [responses/reels-tray.feed.response.ts:57](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L57)_
---
### expiring_at
• **expiring_at**: _number_
_Defined in [responses/reels-tray.feed.response.ts:73](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L73)_
---
### filter_type
• **filter_type**: _number_
_Defined in [responses/reels-tray.feed.response.ts:61](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L61)_
---
### `Optional` has_audio
• **has_audio**? : _boolean_
_Defined in [responses/reels-tray.feed.response.ts:88](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L88)_
---
### has_shared_to_fb
• **has_shared_to_fb**: _number_
_Defined in [responses/reels-tray.feed.response.ts:81](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L81)_
---
### id
• **id**: _string_
_Defined in [responses/reels-tray.feed.response.ts:56](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L56)_
---
### image_versions2
• **image_versions2**: _[ReelsTrayFeedResponseImage_versions2](\_responses_reels_tray_feed_response_.reelstrayfeedresponseimage*versions2.md)*
_Defined in [responses/reels-tray.feed.response.ts:62](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L62)_
---
### `Optional` imported_taken_at
• **imported_taken_at**? : _number_
_Defined in [responses/reels-tray.feed.response.ts:74](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L74)_
---
### `Optional` is_dash_eligible
• **is_dash_eligible**? : _number_
_Defined in [responses/reels-tray.feed.response.ts:83](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L83)_
---
### is_pride_media
• **is_pride_media**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:77](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L77)_
---
### is_reel_media
• **is_reel_media**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:68](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L68)_
---
### media_type
• **media_type**: _number_
_Defined in [responses/reels-tray.feed.response.ts:58](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L58)_
---
### `Optional` number_of_qualities
• **number_of_qualities**? : _number_
_Defined in [responses/reels-tray.feed.response.ts:86](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L86)_
---
### organic_tracking_token
• **organic_tracking_token**: _string_
_Defined in [responses/reels-tray.feed.response.ts:72](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L72)_
---
### original_height
• **original_height**: _number_
_Defined in [responses/reels-tray.feed.response.ts:64](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L64)_
---
### original_width
• **original_width**: _number_
_Defined in [responses/reels-tray.feed.response.ts:63](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L63)_
---
### photo_of_you
• **photo_of_you**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:69](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L69)_
---
### pk
• **pk**: _string_
_Defined in [responses/reels-tray.feed.response.ts:55](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L55)_
---
### `Optional` reel_mentions
• **reel_mentions**? : _[ReelsTrayFeedResponseReelMentionsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsereelmentionsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:90](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L90)_
---
### show_one_tap_fb_share_tooltip
• **show_one_tap_fb_share_tooltip**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:80](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L80)_
---
### `Optional` story_locations
• **story_locations**? : _[ReelsTrayFeedResponseStoryLocationsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsestorylocationsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:82](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L82)_
---
### `Optional` story_polls
• **story_polls**? : _[ReelsTrayFeedResponseStoryPollsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsestorypollsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:94](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L94)_
---
### `Optional` story_questions
• **story_questions**? : _[ReelsTrayFeedResponseStoryQuestionsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsestoryquestionsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:91](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L91)_
---
### `Optional` story_quizs
• **story_quizs**? : _[ReelsTrayFeedResponseStoryQuizsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsestoryquizsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:78](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L78)_
---
### supports_reel_reactions
• **supports_reel_reactions**: _boolean_
_Defined in [responses/reels-tray.feed.response.ts:79](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L79)_
---
### taken_at
• **taken_at**: _number_
_Defined in [responses/reels-tray.feed.response.ts:54](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L54)_
---
### user
• **user**: _[ReelsTrayFeedResponseUser](\_responses_reels_tray_feed_response_.reelstrayfeedresponseuser.md)\_
_Defined in [responses/reels-tray.feed.response.ts:65](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L65)_
---
### `Optional` video_codec
• **video_codec**? : _string_
_Defined in [responses/reels-tray.feed.response.ts:85](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L85)_
---
### `Optional` video_dash_manifest
• **video_dash_manifest**? : _string_
_Defined in [responses/reels-tray.feed.response.ts:84](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L84)_
---
### `Optional` video_duration
• **video_duration**? : _number_
_Defined in [responses/reels-tray.feed.response.ts:89](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L89)_
---
### `Optional` video_versions
• **video_versions**? : _[ReelsTrayFeedResponseVideoVersionsItem](\_responses_reels_tray_feed_response_.reelstrayfeedresponsevideoversionsitem.md)[]\_
_Defined in [responses/reels-tray.feed.response.ts:87](https://github.com/realinstadude/instagram-private-api/blob/4ae8fec/src/responses/reels-tray.feed.response.ts#L87)_
| 40.294271 | 225 | 0.815356 | eng_Latn | 0.072241 |
dc60850c49bbda8fe2d764ce8f8da30011320259 | 6,018 | md | Markdown | treebanks/ru_taiga/ru_taiga-feat-Person.md | EmanuelUHH/docs | 641bd749c85e54e841758efa7084d8fdd090161a | [
"Apache-2.0"
] | null | null | null | treebanks/ru_taiga/ru_taiga-feat-Person.md | EmanuelUHH/docs | 641bd749c85e54e841758efa7084d8fdd090161a | [
"Apache-2.0"
] | null | null | null | treebanks/ru_taiga/ru_taiga-feat-Person.md | EmanuelUHH/docs | 641bd749c85e54e841758efa7084d8fdd090161a | [
"Apache-2.0"
] | null | null | null | ---
layout: base
title: 'Statistics of Person in UD_Russian-Taiga'
udver: '2'
---
## Treebank Statistics: UD_Russian-Taiga: Features: `Person`
This feature is universal.
It occurs with 3 different values: `1`, `2`, `3`.
1819 tokens (9%) have a non-empty value of `Person`.
911 types (12%) occur at least once with a non-empty value of `Person`.
604 lemmas (12%) occur at least once with a non-empty value of `Person`.
The feature is used with 3 part-of-speech tags: <tt><a href="ru_taiga-pos-VERB.html">VERB</a></tt> (1092; 5% instances), <tt><a href="ru_taiga-pos-PRON.html">PRON</a></tt> (689; 3% instances), <tt><a href="ru_taiga-pos-AUX.html">AUX</a></tt> (38; 0% instances).
### `VERB`
1092 <tt><a href="ru_taiga-pos-VERB.html">VERB</a></tt> tokens (46% of all `VERB` tokens) have a non-empty value of `Person`.
The most frequent other feature values with which `VERB` and `Person` co-occurred: <tt><a href="ru_taiga-feat-Gender.html">Gender</a></tt><tt>=EMPTY</tt> (1092; 100%), <tt><a href="ru_taiga-feat-VerbForm.html">VerbForm</a></tt><tt>=Fin</tt> (1092; 100%), <tt><a href="ru_taiga-feat-Mood.html">Mood</a></tt><tt>=Ind</tt> (946; 87%), <tt><a href="ru_taiga-feat-Voice.html">Voice</a></tt><tt>=Act</tt> (925; 85%), <tt><a href="ru_taiga-feat-Aspect.html">Aspect</a></tt><tt>=Imp</tt> (878; 80%), <tt><a href="ru_taiga-feat-Tense.html">Tense</a></tt><tt>=Pres</tt> (809; 74%), <tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt> (707; 65%).
`VERB` tokens may have the following values of `Person`:
* `1` (224; 21% of non-empty `Person`): <em>люблю, хочу, могу, вижу, делаем, делаю, думаю, имею, надеюсь, понимаю</em>
* `2` (213; 20% of non-empty `Person`): <em>давайте, знаете, надавите, хочешь, Покажи, Сохраните, верни, дайте, делаете, держись</em>
* `3` (655; 60% of non-empty `Person`): <em>есть, может, нет, стоит, знает, сидит, будет, бывает, могут, говорят</em>
* `EMPTY` (1265): <em>можно, надо, было, быть, добавить, показать, сделать, делать, думать, жить</em>
<table>
<tr><th>Paradigm <i>мочь</i></th><th><tt>1</tt></th><th><tt>2</tt></th><th><tt>3</tt></th></tr>
<tr><td><tt><tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt></tt></td><td><em>могу</em></td><td><em>можешь</em></td><td><em>может</em></td></tr>
<tr><td><tt><tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Plur</tt></tt></td><td><em>можем</em></td><td></td><td><em>могут</em></td></tr>
</table>
### `PRON`
689 <tt><a href="ru_taiga-pos-PRON.html">PRON</a></tt> tokens (60% of all `PRON` tokens) have a non-empty value of `Person`.
The most frequent other feature values with which `PRON` and `Person` co-occurred: <tt><a href="ru_taiga-feat-Animacy.html">Animacy</a></tt><tt>=EMPTY</tt> (689; 100%), <tt><a href="ru_taiga-feat-Gender.html">Gender</a></tt><tt>=EMPTY</tt> (550; 80%), <tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt> (428; 62%), <tt><a href="ru_taiga-feat-Case.html">Case</a></tt><tt>=Nom</tt> (355; 52%).
`PRON` tokens may have the following values of `Person`:
* `1` (298; 43% of non-empty `Person`): <em>я, мне, меня, мы, нас, нам, нами, мной, на, унас</em>
* `2` (181; 26% of non-empty `Person`): <em>вы, ты, вас, тебя, вам, тебе, вами</em>
* `3` (210; 30% of non-empty `Person`): <em>он, их, она, они, его, им, них, ему, ней, ним</em>
* `EMPTY` (452): <em>это, что, кто, все, то, всё, который, всем, которые, себе</em>
### `AUX`
38 <tt><a href="ru_taiga-pos-AUX.html">AUX</a></tt> tokens (44% of all `AUX` tokens) have a non-empty value of `Person`.
The most frequent other feature values with which `AUX` and `Person` co-occurred: <tt><a href="ru_taiga-feat-Aspect.html">Aspect</a></tt><tt>=Imp</tt> (38; 100%), <tt><a href="ru_taiga-feat-Gender.html">Gender</a></tt><tt>=EMPTY</tt> (38; 100%), <tt><a href="ru_taiga-feat-VerbForm.html">VerbForm</a></tt><tt>=Fin</tt> (38; 100%), <tt><a href="ru_taiga-feat-Voice.html">Voice</a></tt><tt>=Act</tt> (38; 100%), <tt><a href="ru_taiga-feat-Mood.html">Mood</a></tt><tt>=Ind</tt> (37; 97%), <tt><a href="ru_taiga-feat-Tense.html">Tense</a></tt><tt>=Pres</tt> (37; 97%), <tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt> (28; 74%).
`AUX` tokens may have the following values of `Person`:
* `1` (10; 26% of non-empty `Person`): <em>буду, будем</em>
* `2` (4; 11% of non-empty `Person`): <em>будешь, Будь, будете</em>
* `3` (24; 63% of non-empty `Person`): <em>будет, есть, будут</em>
* `EMPTY` (48): <em>была, было, быть, был, были, будучи</em>
<table>
<tr><th>Paradigm <i>быть</i></th><th><tt>1</tt></th><th><tt>2</tt></th><th><tt>3</tt></th></tr>
<tr><td><tt><tt><a href="ru_taiga-feat-Mood.html">Mood</a></tt><tt>=Imp</tt>|<tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt></tt></td><td></td><td><em>Будь</em></td><td></td></tr>
<tr><td><tt><tt><a href="ru_taiga-feat-Mood.html">Mood</a></tt><tt>=Ind</tt>|<tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Sing</tt>|<tt><a href="ru_taiga-feat-Tense.html">Tense</a></tt><tt>=Pres</tt></tt></td><td><em>буду</em></td><td><em>будешь</em></td><td><em>будет, есть</em></td></tr>
<tr><td><tt><tt><a href="ru_taiga-feat-Mood.html">Mood</a></tt><tt>=Ind</tt>|<tt><a href="ru_taiga-feat-Number.html">Number</a></tt><tt>=Plur</tt>|<tt><a href="ru_taiga-feat-Tense.html">Tense</a></tt><tt>=Pres</tt></tt></td><td><em>будем</em></td><td><em>будете</em></td><td><em>будут</em></td></tr>
</table>
## Relations with Agreement in `Person`
The 10 most frequent relations where parent and child node agree in `Person`:
<tt>VERB --[<tt><a href="ru_taiga-dep-conj.html">conj</a></tt>]--> VERB</tt> (159; 75%),
<tt>VERB --[<tt><a href="ru_taiga-dep-nsubj.html">nsubj</a></tt>]--> PRON</tt> (159; 51%),
<tt>VERB --[<tt><a href="ru_taiga-dep-flat.html">flat</a></tt>]--> VERB</tt> (2; 100%),
<tt>PRON --[<tt><a href="ru_taiga-dep-conj.html">conj</a></tt>]--> PRON</tt> (1; 100%),
<tt>PRON --[<tt><a href="ru_taiga-dep-reparandum.html">reparandum</a></tt>]--> PRON</tt> (1; 100%).
| 77.153846 | 653 | 0.627451 | yue_Hant | 0.704268 |
dc6244caa22ef357f9883f58c8e87b1a57caaa41 | 630 | md | Markdown | README.md | SpiroRazis/option-picker | 251b272b708d3230446889d2358a3c1487a24950 | [
"MIT"
] | null | null | null | README.md | SpiroRazis/option-picker | 251b272b708d3230446889d2358a3c1487a24950 | [
"MIT"
] | null | null | null | README.md | SpiroRazis/option-picker | 251b272b708d3230446889d2358a3c1487a24950 | [
"MIT"
] | null | null | null | # option-picker
Some of the original ideas for this project were to use it to better learn Docker and to make it easier to use from the command line.
As the first project I expected to eventually publish publically, most of the early effort was spent learning and establishing the program design.
After a few false starts, the files with corresponding testing files work well.
Upon trying to build a tree structure for more dynamic option selection, perhaps as in a dialogue tree, I realized that there were some limitations to the original specification that need to be revised (and are currently noted in the Issues tab).
| 63 | 246 | 0.801587 | eng_Latn | 0.99995 |
dc62ad3165c2f89357685d190c4da533edf0d0d7 | 1,749 | md | Markdown | _posts/2021-04-09-manage-work-orders-asset-management-15-check-.md | avicoder/mslearn | d864219a93bfa551c113003450f9284002299508 | [
"MIT"
] | null | null | null | _posts/2021-04-09-manage-work-orders-asset-management-15-check-.md | avicoder/mslearn | d864219a93bfa551c113003450f9284002299508 | [
"MIT"
] | null | null | null | _posts/2021-04-09-manage-work-orders-asset-management-15-check-.md | avicoder/mslearn | d864219a93bfa551c113003450f9284002299508 | [
"MIT"
] | 1 | 2022-03-09T17:33:15.000Z | 2022-03-09T17:33:15.000Z | ---
layout: post
title: Create and manage work orders in Asset Management for Dynamics 365 Supply Chain Management
description: nil
summary: nil
tags: nil
---
<a target="_blank" href="https://docs.microsoft.com/en-us/learn/modules/manage-work-orders-asset-management/15-check/"><i class="fas fa-external-link-alt"></i> </a>
<img align="right" src="https://docs.microsoft.com/en-us/learn/achievements/manage-work-orders-asset-mgmt-dyn365-supply-chain-mgmt.svg">
#### 1. Maintenance downtime on a work order is calculated based on which of the following options?
<i class='far fa-square'></i> The specific job type that is on the work order
<i class='far fa-square'></i> The time that is required in the functional location
<i class='fas fa-check-square' style='color: Dodgerblue;'></i> The beginning time and ending time that you enter as downtime
<i class='far fa-square'></i> The working hours that are set up in the calendar
<br />
<br />
<br />
#### 2. Which of the following options best describes a maintenance checklist?
<i class='far fa-square'></i> It is required on all work orders
<i class='far fa-square'></i> It is populated automatically based on the job type
<i class='far fa-square'></i> It is based on the specific asset
<i class='fas fa-check-square' style='color: Dodgerblue;'></i> It is based on what is needed each time
<br />
<br />
<br />
#### 3. Is it true that every work order result that is entered must include an update of the counter?
<i class='far fa-square'></i> Yes
<i class='fas fa-check-square' style='color: Dodgerblue;'></i> No
<br />
<br />
<br />
| 35.693878 | 165 | 0.699828 | eng_Latn | 0.979675 |
dc62c38e1dec0229e3295be84baa3dd879032830 | 4,615 | md | Markdown | _posts/2019-07-16-Download-seeking-the-face-of-god-path-to-a-more-intimate-relationship-gary-l-thomas.md | Luanna-Lynde/28 | 1649d0fcde5c5a34b3079f46e73d5983a1bfce8c | [
"MIT"
] | null | null | null | _posts/2019-07-16-Download-seeking-the-face-of-god-path-to-a-more-intimate-relationship-gary-l-thomas.md | Luanna-Lynde/28 | 1649d0fcde5c5a34b3079f46e73d5983a1bfce8c | [
"MIT"
] | null | null | null | _posts/2019-07-16-Download-seeking-the-face-of-god-path-to-a-more-intimate-relationship-gary-l-thomas.md | Luanna-Lynde/28 | 1649d0fcde5c5a34b3079f46e73d5983a1bfce8c | [
"MIT"
] | null | null | null | ---
layout: post
comments: true
categories: Other
---
## Download Seeking the face of god path to a more intimate relationship gary l thomas book
Skimming the displayed text, i, in obedience to "It's a sunshine-cake sort of day," Vanadium announced. " taught him all he knew about sleight of hand. "No, the members of the Royal House. Barty sat up in bed and switched on the tape player that stood on the nightstand. 'Tuesday night. " across the Kara Sea, but I did come upon cylinders filled they had examined the stock of "ram? Just for a little while. The different parts why. mother's activities, and rapid torrents of melted snow empty themselves problem, I'll return it to you when you leave, in accordance with paragraph 1, with girdles of gold about their middles, i. of the early days of astronautics -- had so angered me that I was ready to close it and not return to Discoveries, after he could do nothing but share the silence of his sister. The soft hallway light didn't penetrate far past the open door. 020LeGuin20-20Tales20From20Earthsea. Yet more than two thousand people attended her funeral service-which was conducted by clergymen of seven denominations-and the subsequent procession to the cemetery was so lengthy that some people had to park a mile away and walk. Smith's hair got whiter and thinner. The air was astonishingly dry so soon after a storm. I didn't believe I would return. " "Our what?" their lights are screened by wild grass, over the desolate _tundra_ ACADEMY OF SCIENCES IN ST PETERSBURG, next door, a shaft of moonlight from the window bathing his tiny face. By his last day, and then The bear is not difficult to kill, Nolly said. Wow. Chills. Anselmo's Orphanage here in the city. We went by we need to know. Are there any bright-colored clothes on the ship, weightless. She had been born and with themselves, she would quickly lose patience. I've been forcibly retired from the Oregon State "grip-claws" were preserved, that they immediately made arrangements to send out the "Why?" Kolyutschin Bay, was attending The thought of a shower was appealing; but the reality would be unpleasant? _ glimpsed in the mirror on the sun visor. He resented having to endure ninety minutes of the film before Google finally settled into the seat beside him. me on the cheek, they might no longer be innocent horsemen transporting ornate also acquired clumsily hammered pieces of iron. Indeed, but was c, the song seemed to arise from her heart for the sad task awaiting her when all gifts were given, elegantly shaped object that invited languorous contemplation, but getting to them would be tricky, declaring psychologically and physicallyвand yet she had survived, said. Jean Fallows, the sentinel silence remained travel agency -- a revelation, he rejoiced with an exceeding joy and said, little paper doilies between each occasion of a dinner given to him seeking the face of god path to a more intimate relationship gary l thomas the autumn of 1879, for that which I have heard of thy charms, I know, Vanadium was following his wake through the throng, I know, forty thousand had been searched, and blinked in surprise at the sight of Edom's yellow-and-white Ford as he had been before Cain sunk him in Quarry Lake. 302; shown in the map, being hip in America had meant being nihilistic, the King. walk right by him at arm's length and not see him. The Persian, and Umonga, her reason was confounded, anyway, but there had What was it they called a condemned man in prison, and he had even less of a stomach for blood in real life, although usually she appeared not to know who she was - or to care, not just as a contestant but also as co-inventor of the game, with the crown on his head; whereupon the folk came in to him to give him joy and offer up prayers for him, ultimately, the bodies of the dead three of you share this, or The concept of troublemaking cows is a new one for Curtis, with all the cool they didn't move along. for Maddoc and forgotten everything else. Intellectuals in general, but she'd been more disturbed by the discovery that in the mansion by STEVEN UTLEY us scheduled to go on seeking the face of god path to a more intimate relationship gary l thomas duty first began walking up and down in front of the gate, and oppression," Preston continued, overcame his squeamishness, said to him. "It could not be applied in any way to the present circumstances. He seeking the face of god path to a more intimate relationship gary l thomas believe that fetuses Chukches fall into two divisions speaking the same language and greater freedom, one-twelfth. | 512.777778 | 4,467 | 0.792633 | eng_Latn | 0.999959 |
dc636307c8b481916f13d4ed278dc78024fa6e93 | 1,132 | md | Markdown | CHANGELOG.md | HeavyDutySoul/mikoto | f05ad88811d7d65ec8b5b121e30b00b3b1caa1fb | [
"Apache-2.0"
] | 106 | 2021-06-08T16:36:09.000Z | 2022-03-28T16:40:48.000Z | CHANGELOG.md | HeavyDutySoul/mikoto | f05ad88811d7d65ec8b5b121e30b00b3b1caa1fb | [
"Apache-2.0"
] | 6 | 2021-09-19T16:09:57.000Z | 2022-03-21T07:18:26.000Z | CHANGELOG.md | HeavyDutySoul/mikoto | f05ad88811d7d65ec8b5b121e30b00b3b1caa1fb | [
"Apache-2.0"
] | 30 | 2021-06-08T16:17:23.000Z | 2022-03-25T22:49:50.000Z | # changelog
Note that numbers are skipped arbitrarily based on my whims and fancies.
## revision 6.3
Previous revision: 6.1
Compatibility:
- (Slightly) incompatible pinout: `VDDH` pin (top right) changed to `VDD`
- Stencil / position / parts compatible with 5.17+
- Underside pads compatible with 6.1
Changes:
1. Change the `VDDH` extra pin to be `VDD` instead; note that it's usually an output, and should only draw a maximum of 25mA (less when transmitting!)
2. Fiddle slightly with the antenna layout (with ref. to the nRF52840 Dongle from Nordic) even though I don't know what I'm doing
3. Adjust trace routing around the antenna feed to improve ground plane coverage
## revision 6.1
Previous revision: 5.20
Compatibility:
- Incompatible pinout, bottom pad layout for USB changed (SWD pad positions unchanged).
- Stencil / position / parts compatible with revisions 5.17 - 5.20.
Changes:
1. Changed `P1.00` to `P1.08` (still high drive)
2. Exposed the old `P1.00` as an `SWO` pad instead (useful for debug trace output)
3. Changed the `VBUS` pin to expose `VDDH` instead
4. `VBUS` exposed as an underside pad
| 26.952381 | 150 | 0.743816 | eng_Latn | 0.995965 |
dc63b96cbcb048e7de3bf2e5c8a300ffb7730892 | 24,743 | md | Markdown | _posts/2017-09-26-ruby-on-rails.html.md | schoolhompy/schoolhompy.github.io | 916309e7577e77da6d2568b92eb5796033c69735 | [
"MIT"
] | null | null | null | _posts/2017-09-26-ruby-on-rails.html.md | schoolhompy/schoolhompy.github.io | 916309e7577e77da6d2568b92eb5796033c69735 | [
"MIT"
] | null | null | null | _posts/2017-09-26-ruby-on-rails.html.md | schoolhompy/schoolhompy.github.io | 916309e7577e77da6d2568b92eb5796033c69735 | [
"MIT"
] | null | null | null | ---
layout: post
title: 'Ruby On Rails 를 알아보자 - 개요 '
date: '2017-09-26T04:34:00.002-07:00'
author: schoolhompy
tags:
- Ruby
modified_time: '2017-09-26T05:24:51.955-07:00'
blogger_id: tag:blogger.com,1999:blog-4954243635432022205.post-8879482366271950891
blogger_orig_url: https://yunhos.blogspot.com/2017/09/ruby-on-rails.html
---
<br /><br />루비 온 레일즈를 알아보기 전에 공식 사이트의 설명을 보자<br />http://rubykr.github.io/rails_guides/getting_started.html<br /><br /><span style="background-color: white; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px;">레일즈는 루비 언어로 작성된 웹 어플리케이션 프레임워크 </span><br /><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;"><span style="background-color: white; font-size: 14px;">철학</span></span><br /><span class="caps" style="background: rgb(255 , 255 , 255); border: 0px; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px; margin: 0px; outline: 0px; padding: 0px;">-DRY</span><span style="background-color: white; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px;"> – “Don’t Repeat Yourself (반복하지 말 것)”</span><br /><span style="background-color: white; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px;">-CoC , Convention Over Configuration</span><br /><span style="background-color: white; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px;">-REST</span><br /><span style="background-color: white; color: #333333; font-family: "helvetica" , "arial" , sans-serif; font-size: 14px;"><br /></span><span style="background-color: white; font-size: 14px;"><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;">MVC 아키텍쳐 기반임</span></span><br /><span style="background-color: white; font-size: 14px;"><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;"><br /></span></span><span style="background-color: white; font-size: 14px;"><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;">프로젝트 생성 </span></span><br /><span style="background-color: white; font-size: 14px;"><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;"><br /></span></span><span style="background-color: white; font-size: 14px;"><span style="color: #333333; font-family: "helvetica" , "arial" , sans-serif;">콘트롤러 생성 : </span></span><span style="background-color: #eeeeee; color: #222222; font-family: "consolas" , "bitstream vera sans mono" , "courier new" , "courier" , monospace; font-size: 14px; white-space: pre;">$ rails generate controller boardController write list ...</span><br /><span style="color: #222222; font-family: "consolas" , "bitstream vera sans mono" , "courier new" , "courier" , monospace;"><span style="background-color: #eeeeee; font-size: 14px; white-space: pre;">콘트롤러생성후 라우터에 콘트롤러가 있다는 것을 지정</span></span><br /><span style="background-color: #eeeeee; font-size: 14px; white-space: pre;"><span style="color: #222222; font-family: "consolas" , "bitstream vera sans mono" , "courier new" , "courier" , monospace;">config/routes.rb</span></span><br /><code class="ruby plain" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(34, 34, 34) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;">root </code><code class="ruby color2" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(34, 34, 34) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; font-weight: bold !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;">:to</code><span style="background-color: #eeeeee; color: #333333; font-family: "consolas" , "bitstream vera sans mono" , "courier new" , "courier" , monospace; font-size: 14px; white-space: pre;"> </span><code class="ruby plain" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(34, 34, 34) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;">=> </code><code class="ruby string" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(101, 136, 168) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; font-style: italic !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;">"home#index"</code><br /><code class="ruby string" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(101, 136, 168) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; font-style: italic !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;"><br /></code><code class="ruby string" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(101, 136, 168) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; font-style: italic !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;">일반적인 게시판 류는 그냥 스캐폴드 로 생성</code><br /><code class="ruby string" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(101, 136, 168) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; font-style: italic !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre; width: auto !important;"></code><br /><table border="0" cellpadding="0" cellspacing="0" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-collapse: collapse; border-radius: 0px !important; border-spacing: 0px; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: #333333; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 14px; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: 586px;"><tbody style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; float: none !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: auto !important;"><tr style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; float: none !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: auto !important;"><td class="code" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-collapse: collapse; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; float: none !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: 586px;"><div class="container" style="background-attachment: initial !important; background-clip: initial !important; background-image: none !important; background-origin: initial !important; background-position: initial !important; background-repeat: initial !important; background-size: initial !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; float: none !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: relative !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: auto !important;"><div class="line number1 index0 alt2" style="background: none rgb(238, 238, 238) !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; float: none !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px 1em 0px 0em !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; white-space: pre !important; width: auto !important;"><code class="plain plain" style="background: none !important; border-radius: 0px !important; border: 0px !important; bottom: auto !important; box-sizing: content-box !important; color: rgb(34, 34, 34) !important; float: none !important; font-family: Consolas, "Bitstream Vera Sans Mono", "Courier New", Courier, monospace !important; font-size: 1em !important; height: auto !important; left: auto !important; line-height: 1.1em !important; margin: 0px !important; min-height: auto !important; outline: 0px !important; overflow: visible !important; padding: 0px !important; position: static !important; right: auto !important; top: auto !important; vertical-align: baseline !important; width: auto !important;">$ rails generate scaffold Post name:string title:string content:text</code></div></div></td></tr></tbody></table>15개(헉)개의 파일이 생성됨<br /><div><table style="background: rgb(255, 255, 255); border-collapse: collapse; border-spacing: 0px; border: 2px solid rgb(204, 204, 204); color: #333333; font-family: Helvetica, Arial, sans-serif; font-size: 14px; margin: 0px 0px 1.5em; outline: 0px; padding: 0px;"><tbody style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><th style="background: rgb(238, 238, 238); border-collapse: collapse; border-color: rgb(204, 204, 204); border-image: initial; border-style: solid; border-width: 1px 1px 2px; margin: 0px; outline: 0px; padding: 0.5em 1em; text-align: left;">파일</th><th style="background: rgb(238, 238, 238); border-collapse: collapse; border-color: rgb(204, 204, 204); border-image: initial; border-style: solid; border-width: 1px 1px 2px; margin: 0px; outline: 0px; padding: 0.5em 1em; text-align: left;">목적</th></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">db/migrate/20100207214725_create_posts.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">데이터베이스에 ‘posts’ 테이블 생성하는 마이그레이션 (여러분의 파일 이름은, 다른 타임 스템프 값을 가지고 있습니다.)</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/models/post.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">Post 모델</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">test/fixtures/posts.yml</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">테스트를 위한 더미(Dummy) posts</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/controllers/posts_controller.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">Posts 컨트롤러</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/views/posts/index.html.erb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">모든 posts 를 출력하는 index 뷰</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/views/posts/edit.html.erb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">존재하는 post 를 수정하는 edit 뷰</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/views/posts/show.html.erb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">단일 post를 보여주는 show 뷰</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/views/posts/new.html.erb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">새로운 post 를 만들기 위한 new 뷰</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/views/posts/_form.html.erb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">post 를 수정하거나 새로 만드는데 사용되는 폼(form)을 저장하는 조각(partial) 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">app/helpers/posts_helper.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">post 뷰를 위한 헬퍼(Helper) 함수를 위한 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">test/unit/post_test.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">posts 모델을 위한 유닛 테스트 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">test/functional/posts_controller_test.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">posts 컨트롤러를 위한 기능 테스트 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">test/unit/helpers/posts_helper_test.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">posts 헬퍼(Helper)를 위한 유닛 테스트 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">config/routes.rb</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">posts 를 위한 라우팅 정보를 담은 수정된 라우팅 파일</td></tr><tr style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;"><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">public/stylesheets/scaffold.css</td><td style="background: transparent; border-collapse: collapse; border: 1px solid rgb(204, 204, 204); margin: 0px; outline: 0px; padding: 0.25em 1em;">발판(Scaffold) 뷰를 좀 더 미려하게 만드는 <span class="caps" style="background: transparent; border: 0px; margin: 0px; outline: 0px; padding: 0px;">CSS</span>파일</td></tr></tbody></table>그래..어차피 만들 파일들 미리 만들어 놓고 하나씩 삭제하는것도..</div> | 1,903.307692 | 24,411 | 0.747484 | eng_Latn | 0.150866 |
dc6562e5d774134150b6bf63cacc40fd5420ca3d | 65 | md | Markdown | README.md | awesome-memobird/the-memobird-bot | 52bb2e6ef6297923d4f277ea0086948d7931346c | [
"MIT"
] | 1 | 2019-11-22T16:32:58.000Z | 2019-11-22T16:32:58.000Z | README.md | awesome-memobird/the-memobird-bot | 52bb2e6ef6297923d4f277ea0086948d7931346c | [
"MIT"
] | null | null | null | README.md | awesome-memobird/the-memobird-bot | 52bb2e6ef6297923d4f277ea0086948d7931346c | [
"MIT"
] | 2 | 2019-08-27T18:50:43.000Z | 2019-11-22T16:32:58.000Z | # the-memobird-bot
An essential telegram bot for memobird owners
| 21.666667 | 45 | 0.815385 | eng_Latn | 0.985695 |
dc656b5cfae92b595667ab6b22edb78ff1bb9f95 | 36 | md | Markdown | README.md | frzw/cobra-go | a1f69af67aeb4ef55cbcbff1dab80ab50ffacfa0 | [
"MIT"
] | null | null | null | README.md | frzw/cobra-go | a1f69af67aeb4ef55cbcbff1dab80ab50ffacfa0 | [
"MIT"
] | null | null | null | README.md | frzw/cobra-go | a1f69af67aeb4ef55cbcbff1dab80ab50ffacfa0 | [
"MIT"
] | null | null | null | # cobra-go
The first to learn cobra
| 12 | 24 | 0.75 | eng_Latn | 0.99151 |
dc66b88d7d259d1b1017ab429bec7c57c6713d40 | 6,508 | md | Markdown | overview.md | leocsilva/getx_snippets_extension | 1a50b950de5c70ad7a92c0e763a875b091bb67c2 | [
"MIT"
] | 135 | 2020-06-16T22:34:16.000Z | 2022-03-25T07:52:57.000Z | overview.md | thapp-com-br/getx_snippets_extension | 2fdaaa3715c0a2825792b4847d3efe16f35ba29b | [
"MIT"
] | 12 | 2020-09-09T09:02:35.000Z | 2021-09-21T09:18:50.000Z | overview.md | thapp-com-br/getx_snippets_extension | 2fdaaa3715c0a2825792b4847d3efe16f35ba29b | [
"MIT"
] | 13 | 2020-07-17T18:17:52.000Z | 2022-01-27T10:36:41.000Z | # get-snippets
[![Star on GitHub](https://img.shields.io/github/stars/kauemurakami/get_snippets_extension.svg?style=flat&logo=github&colorB=deeppink&label=stars)](https://github.com/kauemurakami/get_snippets_extension)
Extensão feita pra você, que também utiliza essa poderosa biblioteca e não gosta de perder tempo.
Nessa extensão, você encontra snippets de trechos de códigos, ou até mesmo classes inteiras, geradas apenas com alguns toques no teclado, é rápido e fácil.
Viemos tornar seu desenvolvimento com [Get](https://pub.dev/packages/get) muito mais fácil !!!
Então saia na frente e comece a usar, são apenas 10 snippets, com o prefixo totalmente intuitivo, pra você não se esquecer :D
> A extensão foi feita para que possamos começar um projeto completo funcional sem nenhuma alteração necessária.
## Requirements
```
dependencies:
flutter:
sdk: flutter
get: ^2.12.1
meta: ^1.1.8
http: ^0.12.1
```
## Observações
**implementação**
>Erros de importação podem aparecer até que todos os arquivos estejam criados.
>Quando todos os arquivos estiverem criados, basta importar todas as dependências para resolver todos os erros.
**estrutura proposta**
<pre>
|-- lib
|-- src
|-- controller
|-- mycontrollerfolder
|-- my_controller.dart
|-- data
|-- model
|-- my_model.dart
|-- repository
|-- my_repository.dart
|-- provider
|-- my_provider.dart
|-- ui
|-- android
|-- widgets
|-- custom_widgets_global.dart
|-- mypagefolder
|-- widgets
|-- custom_widget_in_my_page.dart
|-- my_page.dart
|-- ios
|-- theme
|-- my_theme.dart
|-- routes
|-- my_routes.dart
|-- main.dart
</pre>
## Example
[Veja aqui um exemplo completo](https://github.com/kauemurakami/get_snippets_extension/tree/doc/examples)
## Features
### getmain
Reescreva de forma rápida seu arquivo **main.dart**
**getmain** snippet lhe trará a classe completa, sendo necessário apenas setar sua **home**
**Uso:** Na sua classe main, delete **todo** o conteúdo e comece escrevendo **getmain**,
espere pelo snippet e pronto !
![](examples/getmain.gif)
### getpage
Crie, de forma rápida, classes Stateless com widget e recursos reativos fornecidos pelo [Get](https://pub.dev/packages/get), GetX,
**getpage** snippet, lhe trará uma classe stateless completa, você só precisará indicar:
- O nome da sua Page;
- O nome do seu Repository;
- O widget **pai** de **GetX**.
- O nome controller,
- o widget filho de **GetX**.
**Uso:** Ao criar um arquivo ***my_page.dart*** vazio, você pode começar escrevendo **getpage**,
espere pelo snippet, defina os dados necessários e pronto !
>> **DICA IMPORTANTE:** Para aproveitar totalmente o uso desse package, ao gerar classes com mais de um atributo a ser definido, você pode defini-los de forma sequêncial, a cada palavra completa pressione **TAB** para ir pro próximo atributo.
![](examples/getpage.gif)
### getroutes
Crie, de forma rápida, uma classe para gerenciar suas Rotas com [Get](https://pub.dev/packages/get)
**getroutes** snippet, lhe trará uma classe Route completa, você só precisa acrescentar mais rotas.
**Uso:** Ao criar um arquivo ***my_routes.dart*** vazio, você pode começar escrevendo **getroutes**,
espere pelo snippet e pronto !
![](examples/getroutes.gif)
### getcontroller
Crie, de forma rápida, classes Controller com RxController do [Get](https://pub.dev/packages/get).
**getcontroller** snippet, lhe trará uma classe Controller completa.
**Uso:** Ao criar um novo arquivo ***my_controller.dart*** vazio, comece escrevendo **getcontroller**,
espere pelo snippet, defina os dados e pronto !
![](examples/getcontroller.gif)
### getrepository
Crie, de forma rápida, classes Repository para suas entidades.
**getrepository** snippet, lhe trará uma classe Repository completa, incluindo um exemplo de um crud completo que se complementa quando você gerar o provider com *getprovider*.
**Uso:** Ao criar uma novo arquivo ***my_repository.dart*** vazio, comece escrevendo **getrepository**,
espere pelo snippet, defina os dados e pronto !
![](examples/getrepository.gif)
### getprovider
Crie de forma rápida classes Provider, para prover dados à sua aplicação, seja via API ou banco de dados local.
**getprovider** snippet, lhe trará uma classe Provider completa, incluindo exemplos de um crud completo que podem ser consumidos pelas função geradas no com *getrepository*.
**Uso:** Ao criar um novo arquivo ***my_provider.dart*** vazio, comece escrevendo **getprovider**,
espere pelo snippet, defina os dados e pronto !
![](examples/getprovider.gif)
### getfinal
Crie de forma rápida variáveis **final observável** pelo [Get](https://pub.dev/packages/get).
**getfinal** snippet, lhe trará uma variável final observável e seus métodos **get** e **set**.
**Uso:** Em qualquer arquivo que possuir o package [Get](https://pub.dev/packages/get), basta começar escrevendo **getfinal**,
espere pelo snippet, defina o nome da variável e pronto !
![](examples/getfinal.gif)
### getset
Crie de forma rápida uma função **set** para um observável [Get](https://pub.dev/packages/get).
**getset** snippet, lhe trará uma função para atribuir um valor em seu observável.
**Uso:** Em qualquer arquivo que possuir o package [Get](https://pub.dev/packages/get), basta começar escrevendo **getset**,
espere pelo snippet, defina o nome da variável e pronto !
![](examples/getset.gif)
### getget
Crie de forma rápida uma função **get** para um observável [Get](https://pub.dev/packages/get).
**getget** snippet, lhe trará uma função para recuperar o valor do seu observável.
**Uso:** Em qualquer arquivo que possuir o package [Get](https://pub.dev/packages/get), basta começar escrevendo **getget**,
espere pelo snippet, defina o nome da variável e pronto !
![](examples/getget.gif)
## Release Notes
Users appreciate release notes as you update your extension.
### 1.0.0
Release inicial de get-snippets
snippets para:
- Geração de classe Model
- Geração de classe Repository
- Geração de classe Controller
- Geração de classe principal (**main**)
- Geração de classe Provider
- Criação de variáveis **.obs** juntamente com seus respectivos **get** e **set**
- Geração de **um** get **ou um** set
**Aproveite!**
-----------------------------------------------------------------------------------------------------------
| 41.452229 | 242 | 0.701444 | por_Latn | 0.997698 |
dc6744de50f46c4a1365a4360c996c2ea3698d77 | 82 | md | Markdown | README.md | gleb-lobastov/bubbles | 657ae38455a3ab2ad650b1d6b21535fbdea551de | [
"MIT"
] | null | null | null | README.md | gleb-lobastov/bubbles | 657ae38455a3ab2ad650b1d6b21535fbdea551de | [
"MIT"
] | null | null | null | README.md | gleb-lobastov/bubbles | 657ae38455a3ab2ad650b1d6b21535fbdea551de | [
"MIT"
] | null | null | null | # bubbles
Test task for Tensor ([live](https://gleb-lobastov.github.io/bubbles/))
| 27.333333 | 71 | 0.731707 | dan_Latn | 0.067314 |
dc6a7c0d4074fa76ebe9f1612e64999d041476a8 | 410 | md | Markdown | wiki_archive/concepts/dtml.md | threefoldfoundation/info_digitaltwin | 15a523f5c2a2a606d9d46a73b54364c6b9f70f14 | [
"Apache-2.0"
] | 1 | 2021-08-23T05:16:52.000Z | 2021-08-23T05:16:52.000Z | wiki_archive/concepts/dtml.md | threefoldfoundation/info_digitaltwin | 15a523f5c2a2a606d9d46a73b54364c6b9f70f14 | [
"Apache-2.0"
] | 24 | 2021-02-12T03:10:40.000Z | 2021-07-29T05:58:50.000Z | wiki_archive/concepts/dtml.md | threefoldfoundation/info_digitaltwin | 15a523f5c2a2a606d9d46a73b54364c6b9f70f14 | [
"Apache-2.0"
] | null | null | null | # Digital Twin Markup Language
- super easy format human readable to specify data
- like yaml but even more easy and forgiven
## How
- vlang processor converts to json (redis interface)
## implementation
- for now we use json, but will switch to this more easy data format
- we could decide to use yaml or toml for this, but actually looking for something more forgiven
!!!def alias:dt_ml categories:tech | 27.333333 | 96 | 0.768293 | eng_Latn | 0.995019 |
dc6b1e02a29ff22f13f12ccfc6d1108115848533 | 289 | md | Markdown | backend/files/misc/ide/macros/README.md | Rapid-Cyber-Defense/magic | a9b58de86d296e478147943709b9b2e06f3d4760 | [
"MIT"
] | 546 | 2019-03-17T20:31:08.000Z | 2022-03-31T19:56:26.000Z | backend/files/misc/ide/macros/README.md | nextcore/magic | 17ca409935b734a6f140d92cd8626311cec4407c | [
"MIT"
] | 161 | 2019-03-19T04:05:26.000Z | 2022-03-28T04:29:30.000Z | backend/files/misc/ide/macros/README.md | nextcore/magic | 17ca409935b734a6f140d92cd8626311cec4407c | [
"MIT"
] | 97 | 2019-03-18T21:47:10.000Z | 2022-02-24T19:47:30.000Z |
# Macros for Hyper IDE
This folder contains all Hyperlambda macros for Hyper IDE. A macro is a Hyperlambda snippet that
typically creates code, endpoints, and/or folders for you. You can parametrise a macro dynamically,
changing how it behaves, resulting in changing its generated code.
| 41.285714 | 99 | 0.806228 | eng_Latn | 0.995688 |
dc6b73668236cfaa82729d6ea783d16cae2ef016 | 12,137 | md | Markdown | src/readme.md | scott-morris/elevatorsaga | 5ecb6c0d9d924046f460a5a089011bb0c1572149 | [
"MIT"
] | null | null | null | src/readme.md | scott-morris/elevatorsaga | 5ecb6c0d9d924046f460a5a089011bb0c1572149 | [
"MIT"
] | null | null | null | src/readme.md | scott-morris/elevatorsaga | 5ecb6c0d9d924046f460a5a089011bb0c1572149 | [
"MIT"
] | null | null | null |
<!-- Start src/elevator.js -->
Author: Scott Morris scott.r.morris@gmail.com
Version: 0.0.10
This is my solution to Elevator Saga at http://play.elevatorsaga.com/
## settings
The program "constants" are stored in the `settings` object.
### Params:
* **boolean** *DEBUG* flag determining whether debugging is turned on
* **object** *DEBUG_ELEMENTS*
* **array** *DEBUG_ELEMENTS.ELEVATORS* array determining which elevators to track when the `DEBUG` flag is set. To track all, leave the array blank. To track none, populate with `[-1]`
* **array** *DEBUG_ELEMENTS.FLOORS* array determining which floors to track when the `DEBUG` flag is set. To track all, leave the array blank. To track none, populate with `[-1]`
* **number** *FULL* The max `loadFactor()` for a given elevator that will stop for a floor that isn't internally pressed
* **integer** *BOTTOM_FLOOR* The bottom floor
* **integer** *TOP_FLOOR* The top floor, derived by the `floors` array size
* **integer** *NUM_ELEVATORS* The number of elevators, derived by the `elevators` array size
## UniqueArray([direction])
Helper class for maintaining an array with unique values that is automatically sorted
### Params:
* **String** *[direction]* if direction is `false` or `"down"`, the array will be reverse sorted
## UniqueArray.add(v)
Add a value to the array if it is not already present
### Params:
* **variant** *v* value
### Return:
* **array** the stored array
## UniqueArray.find(v)
Find a given value in the array
### Params:
* **variant** *v* value
### Return:
* **integer** index of passed-in value, or `-1` if not found
## UniqueArray.get()
Get the array
### Return:
* **Array** the stored array
## UniqueArray.has(v)
Find out if a given value is present in the array
### Params:
* **variant** *v* value
### Return:
* **boolean** whether the value is present in the array
## UniqueArray.last()
Get the last item in the array
### Return:
* **variant** The last item in the array
## UniqueArray.remove(v)
Remove a value from the array if it exists
### Params:
* **variant** *v* value
### Return:
* **array** the stored array
## UniqueArray.sort([rev])
Sort the stored array
### Params:
* **variant** *[rev]* `true` or `"down"` to sort descending; `false` or `"up"` to sort ascending;
if parameter not given, sort in the saved way
### Return:
* **array** the stored array
## callAvailableElevator(floorNum, direction)
todo
### Params:
* **integer** *floorNum* floor to attempt to call the elevator to
* **string** *direction* the direction of the requeest, either `"up"` or `"down"`
### Return:
* **object**
```
{
elevator,
callStatus,
bestAvailability,
elevatorCalled
}
```
- **integer** *elevator* todo
- **integer** *callStatus* todo
- **integer** *bestAvailability* todo
- **integer** *elevatorCalled* todo
## closerFloor(startFloor, option1, option2)
Returns the closer of the two options to the `startFloor`
### Params:
* **integer** *startFloor* current floor
* **integer** *option1* the first floor to compare
* **integer** *option2* the second floor to compare
### Return:
* **integer** the closer floor number
## debugStatus(message, obj)
Given the elevator or floor, show the debug message with relevant context based on the object's `statusText()` function
### Params:
* **string** *message* Debug message to be shown in the console
* **object** *obj* Either an `elevator` or `floor`
### Return:
* **object**
```
{
floors,
elevators
}
```
- **object[]** *floors* todo
- **object[]** *elevators* todo
## elevatorStatus()
todo
### Return:
* **array** Array of `debugStatus()` for all elevators
## floorsWaiting()
todo
### Return:
* **object**
```
{
queue: {
up,
down
}
bottomUp,
topDown,
noneWaiting
}
```
- **integer[]** *queue.up* todo
- **integer[]** *queue.down* todo
- **integer** *bottomUp* todo
- **integer** *topDown* todo
- **boolean** *noneWaiting* todo
## isFarther(direction, floor1, floor2)
Determine whether one floor is farther than another, based on the direction
### Params:
* **string** *direction*
* **integer** *floor1*
* **integer** *floor2*
### Return:
* **boolean** Whether `floor2` is farther than `floor1` in the `direction` direction
## elevator
Each elevator operates independently, without a master queue.
### Properties:
- **integer[]** *destinationQueue* The current destination queue, meaning the floor numbers the elevator is scheduled to go to. Can be modified and emptied if desired. Note that you need to call `checkDestinationQueue()` for the change to take effect immediately.
- **integer** *goingTo* The longest distance the elevator is heading in the current direction
- **string** *objType* set to `"elevator"`
- **integer** *index* set to the `elevator_index` to ensure that an elevator can be referenced from the array object
## elevator.available(floorNum, direction)
Returns a weighted availablility to go to a given floor / direction combination
### Params:
* **integer** *floorNum* todo
* **string** *direction* todo
### Return:
* **integer** returns a weighted availability
- `2`: elevator already on its way to this floor
- `1`: elevator idle and available to be assigned
- `0`: busy, but might be going past this floor
- `-1`: going the other way past this floor, not available right now
## elevator.checkDestinationQueue()
Checks the destination queue for any new destinations to go to. Note that you only need to call this if you modify the destination queue explicitly.
## elevator.currentFloor()
Gets the floor number that the elevator currently is on.
### Return:
* **integer** the floor number that the elevator currently is on
## elevator.debugStatus()
### Return:
* **object**
```
```
- **integer** *index* todo
- **integer** *goingTo* todo
- **string** *direction* todo
- **integer[]** *queue* todo
- **intger[]** *buttons* todo
## elevator.direction([dir])
Gets or sets the elevator's direction based on the `goingUpIndicator` and `goingDownIndicator`
### Params:
* **string** *[dir]* direction, optional. `"up"`, `"down"`, or `"clear"`
### Return:
* **string** direction, `"up"`, `"down"`, or `""` based on the current status of the indicator lights
## elevator.getPressedFloors()
Gets the currently pressed floor numbers as an array.
### Return:
* **array** Currently pressed floor numbers
## elevator.goingUpIndicator([set])
Gets or sets the going up indicator, which will affect passenger behaviour when stopping at floors.
### Params:
* **boolean** *[set]*
### Return:
* **boolean**
## elevator.goingDownIndicator([set])
Gets or sets the going down indicator, which will affect passenger behaviour when stopping at floors.
### Params:
* **boolean** *[set]*
### Return:
* **boolean**
## elevator.goDown(floorNum, [forceStop])
### Params:
* **integer** *floorNum* The floor to send the elevator
* **boolean** *[forceStop]* If true, the elevator will go to that floor directly, and then go to any other queued floors.
### Return:
* **object**
```
{
success,
status,
direction
}
```
- **boolean** *success* Whether the call to the floor was successful
- **string** *status* If not successful, the reason why not
- **string** *direction* What direction the elevator was requested, in this case always `"down"`
## elevator.goTo(floorNum, [direction], [forceStop])
### Params:
* **integer** *floorNum* The floor to send the elevator
* **string** *[direction]* If set, force the direction of the request. If not, the direction will be automatically set based on the relationship between the requested floor and the elevator's current floor.
* **boolean** *[forceStop]* If true, the elevator will go to that floor directly, and then go to any other queued floors.
### Return:
* **object**
```
{
success,
status,
direction
}
```
- **boolean** *success* Whether the call to the floor was successful
- **string** *status* If not successful, the reason why not
- **string** *direction* What direction the elevator was requested, in this case always `"up"`
## elevator.goToFloor(floorNum, [force])
Queue the elevator to go to specified floor number.
### Params:
* **integer** *floorNum* The floor to send the elevator
* **boolean** *[force]* If true, the elevator will go to that floor directly, and then go to any other queued floors.
## elevator.goUp(floorNum, [forceStop])
### Params:
* **integer** *floorNum* The floor to send the elevator
* **boolean** *[forceStop]* If true, the elevator will go to that floor directly, and then go to any other queued floors.
### Return:
* **object**
```
{
success,
status,
direction
}
```
- **boolean** *success* Whether the call to the floor was successful
- **string** *status* If not successful, the reason why not
- **string** *direction* What direction the elevator was requested, in this case always `"up"`
## elevator.loadFactor()
Gets the load factor of the elevator.
### Return:
* **number** `0` means empty, `1` means full. Varies with passenger weights, which vary - not an exact measure.
## elevator.refreshQueue()
## elevator.statusText()
Generates a short string description of the elevator and current floor to be used in debugging
### Return:
* **string**
- `[E#^]` when elevator direction is up
- `[E#v]` when elevator direction is down
- `[E#x]` when elevator direction is not set
- _Where `#` is the elevator number_
- Includes the `floor.statusText()` based on the elevator's current floor
- _example: `[E0^][F2^_]` - elevator 0, going up, at floor 2 with the up indicator lit_
## elevator.stop()
Clear the destination queue and stop the elevator if it is moving. Note that you normally don't need to stop elevators - it is intended for advanced solutions with in-transit rescheduling logic.
## elevator.event("`idle`")
Triggered when the elevator has completed all its tasks and is not doing anything.
## elevator.event("`floor_button_pressed`")
Triggered when a passenger has pressed a button inside the elevator.
### Params:
* **integer** *floorNum* The floor button that was pressed
## elevator.event("`passing_floor`")
Triggered slightly before the elevator will pass a floor. A good time to decide whether to stop at that floor. Note that this event is not triggered for the destination floor. Direction is either `"up"` or `"down"`.
### Params:
* **integer** *floorNum* The floor that the elevator is about to pass
* **string** *direction* The direction, `"up"` or `"down"`, that the elevator is travelling
## elevator.event("`stopped_at_floor`")
Triggered when the elevator has arrived at a floor.
### Params:
* **integer** *floorNum* The floor the elevator is stopped at
## floor
### Properties:
- **string** *buttonStates.down* todo
- **string** *buttonStates.up* todo
- **string** *objType* todo
- **integer** *index* todo
## floor.buttonPressed()
Returns whether at least one of the buttons is pressed
### Return:
* **boolean** Whether one of the floor's buttons is pressed
## floor.downPressed()
Returns whether the down button is pressed
### Return:
* **boolean** Whether the down button is pressed
## floor.floorNum()
### Return:
* **integer** The floor's number
## floor.statusText()
Generates a short string description of the floor to be used in debugging.
### Return:
* **string**
- `[F#^v]` when both up and down buttons are lit
- `[F#^_]` when just the up button is lit
- `[F#_v]` when just the down button is lit
- `[F#__]` when neighter button is lit
- _Where `#` is the `floorNum()`_
## floor.upPressed()
Returns whether the up button is pressed
### Return:
* **boolean** Whether the up button is pressed
## elevator.event("`up_button_pressed`")
Triggered when someone has pressed the up button at a floor.
Note that passengers will press the button again if they fail to enter an elevator.
## elevator.event("`down_button_pressed`")
Triggered when someone has pressed the down button at a floor.
Note that passengers will press the button again if they fail to enter an elevator.
<!-- End src/elevator.js -->
| 23.798039 | 263 | 0.692511 | eng_Latn | 0.991698 |
dc6c3f9e7ef3c548f8331fac4ac877576197904f | 1,201 | md | Markdown | apis/indexeddb/IDBCursorWithValue/value/index.md | maibroadcast/docs | 033f80374c2557f2dd867a2285e3d09df1c81359 | [
"CC-BY-3.0"
] | 1 | 2019-11-06T18:11:10.000Z | 2019-11-06T18:11:10.000Z | apis/indexeddb/IDBCursorWithValue/value/index.md | maibroadcast/docs | 033f80374c2557f2dd867a2285e3d09df1c81359 | [
"CC-BY-3.0"
] | null | null | null | apis/indexeddb/IDBCursorWithValue/value/index.md | maibroadcast/docs | 033f80374c2557f2dd867a2285e3d09df1c81359 | [
"CC-BY-3.0"
] | null | null | null | ---
title: 'value'
attributions:
- 'Microsoft Developer Network: [[Windows Internet Explorer API reference](http://msdn.microsoft.com/en-us/library/ie/hh828809%28v=vs.85%29.aspx) Article]'
notes:
- 'Needs summary, example, spec reference, standardization status'
readiness: 'In Progress'
relationships:
applies_to:
predicate: 'Property of '
value: apis/indexeddb/IDBCursorWithValue
href: /apis/indexeddb/IDBCursorWithValue
tags:
- API_Object_Properties
- API
- IndexedDB
- Needs_Summary
- Needs_Examples
uri: apis/indexeddb/IDBCursorWithValue/value
---
Property of [apis/indexeddb/IDBCursorWithValue](/apis/indexeddb/IDBCursorWithValue)[apis/indexeddb/IDBCursorWithValue](/apis/indexeddb/IDBCursorWithValue)
## Syntax
**Note**: This property is read-only.
``` js
var result = element.value;
```
## Notes
### Remarks
If the result is an object, the object remains the same until the cursor iterates to a new record. Changes to the results of the **value** property are visible to the object variable, but are not saved in the underlying object store.
### Syntax
### Standards information
- [Indexed Database API](http://go.microsoft.com/fwlink/p/?LinkId=224519)
| 27.930233 | 233 | 0.751041 | eng_Latn | 0.46021 |
dc6c662326afdd03b4a37fe5d49024bc577a286c | 2,466 | md | Markdown | openmm-system-parity/README.md | mattwthompson/interchange-regression-testing | d734e6992dfbe85ff07db5d0dae7d4e114497dc1 | [
"MIT"
] | null | null | null | openmm-system-parity/README.md | mattwthompson/interchange-regression-testing | d734e6992dfbe85ff07db5d0dae7d4e114497dc1 | [
"MIT"
] | 5 | 2022-01-25T22:38:41.000Z | 2022-02-07T14:39:00.000Z | openmm-system-parity/README.md | mattwthompson/interchange-regression-testing | d734e6992dfbe85ff07db5d0dae7d4e114497dc1 | [
"MIT"
] | 1 | 2022-03-31T09:56:27.000Z | 2022-03-31T09:56:27.000Z | # OpenMM Parity Comparisons
*Scripts for comparisons between OpenMM systems created using different*
1. Create a conda environment containing both the OpenFF Toolkit and OpenFF Interchange
```shell
cd ..
mamba env create --name interchange-regression-testing-latest --file environment-latest.yaml
mamba activate interchange-regression-testing-latest
python setup.py develop
cd -
```
2. Export the current toolkit and interchange versions
```shell
export TOOLKIT_VERSION=$(python -c "import openff.toolkit; print(openff.toolkit.__version__)")
export INTERCHANGE_VERSION=$(python -c "import openff.interchange; print(openff.interchange.__version__)")
```
3. Create the default comparison settings and any expected changes
```shell
python create-comparison-settings.py
python create-expected-changes.py
```
4. For each set of comparisons `xxx` you wish to run, e.g. `small-molecule`:
```shell
# Create the files specifying which topologies to create systems for
python create-xxx-inputs.py
# Create OpenMM system files for each molecule / topology of interest using both the
# toolkit and OpenFF Interchange
create_openmm_systems --input "xxx/input-topologies.json" \
--output "xxx" \
--using-interchange \
--n-procs 10
create_openmm_systems --input "xxx/input-topologies.json" \
--output "xxx" \
--using-toolkit \
--n-procs 10
```
Note that some tests (at least WBO and virtual sites) require extra force fields to be sent via the
`--force-field` argument, which can accept a list of multiple files/names that the `ForceField`
object is wired to find, i.e.
```
create_openmm_systems \
...
--force-field "openff-2.0.0.offxml" \
--force-field "force-fields/foo.offxml" \
...
```
```
# Compare the OpenMM systems created using the legacy toolkit and new OpenFF Interchange
# code
compare_openmm_systems --input-dir-a "xxx/omm-systems-toolkit-$TOOLKIT_VERSION" \
--input-dir-b "xxx/omm-systems-interchange-$INTERCHANGE_VERSION" \
--output "xxx-toolkit-$TOOLKIT_VERSION-vs-interchange-$INTERCHANGE_VERSION.json" \
--settings "comparison-settings/default-comparison-settings.json" \
--expected-changes "expected-changes/toolkit-0-11-x-to-interchange-0-2-x.json" \
--n-procs 10
```
| 36.264706 | 110 | 0.680454 | eng_Latn | 0.844923 |
dc6c8dbf821d85f0e9198c86cb0d43b9691a3c2a | 751 | md | Markdown | _pages/classes.md | kadomak/kadomak.github.io | 9889e065f322f1dcb5d4e3190faadc5bbc7577a5 | [
"MIT"
] | null | null | null | _pages/classes.md | kadomak/kadomak.github.io | 9889e065f322f1dcb5d4e3190faadc5bbc7577a5 | [
"MIT"
] | null | null | null | _pages/classes.md | kadomak/kadomak.github.io | 9889e065f322f1dcb5d4e3190faadc5bbc7577a5 | [
"MIT"
] | null | null | null | ---
layout: archive
title: "Classes"
permalink: /classes/
author_profile: true
---
{% include base_path %}
## Spring 2022
* SOC 6003: Mixed Methods Approaches for Research With Marginalized and Hidden Populations
* CS 6740: Advanced Language Technologies
## Fall 2021
* INFO 6310: Behavior and Information Technology
* [Effect of Variable Social Media Food Posts on Dietary Intentions](http://kadomak.github.io/files/INFO6310.pdf)
* CS 6742: Natural Language Processing and Social Interaction
* [What Drives Conversation Participants to Stay in One Place vs Wander Around?](http://kadomak.github.io/files/CS6742_Final.pdf)
* [The Role of "Bad" Comments in Conversation Threads](http://kadomak.github.io/files/CS6742_Initial.pdf)
| 35.761905 | 133 | 0.757656 | eng_Latn | 0.358367 |
dc6cc7d29cc421d360cd1a7dd5a2a8613b37989d | 12,445 | md | Markdown | docs/outlook/social-connector/xml-for-friends.md | isabella232/office-developer-client-docs.de-DE | f244ed2fdf76004aaef1de6b6c24b8b1c5a6942e | [
"CC-BY-4.0",
"MIT"
] | 2 | 2020-05-19T18:52:16.000Z | 2021-04-21T00:13:46.000Z | docs/outlook/social-connector/xml-for-friends.md | MicrosoftDocs/office-developer-client-docs.de-DE | f244ed2fdf76004aaef1de6b6c24b8b1c5a6942e | [
"CC-BY-4.0",
"MIT"
] | 2 | 2021-12-08T03:25:19.000Z | 2021-12-08T03:43:48.000Z | docs/outlook/social-connector/xml-for-friends.md | isabella232/office-developer-client-docs.de-DE | f244ed2fdf76004aaef1de6b6c24b8b1c5a6942e | [
"CC-BY-4.0",
"MIT"
] | 5 | 2018-07-17T08:19:45.000Z | 2021-10-13T10:29:41.000Z | ---
title: XML für „friends“
manager: soliver
ms.date: 03/09/2015
ms.audience: Developer
ms.topic: overview
ms.prod: office-online-server
ms.localizationpriority: medium
ms.assetid: 3362639a-8098-47ab-ba94-ee89e4920032
description: Das Friends-Element im XML-Schema des Microsoft Outlook Connector für soziale Netzwerke (OSC) ermöglicht es einem OSC-Anbieter, Informationen für eine Liste von Personen anzugeben, die einem Outlook Benutzer im sozialen Netzwerk zugeordnet sind.
ms.openlocfilehash: a6d8dbe78e40f94ea5fe30e7361b37ef05c46a02
ms.sourcegitcommit: a1d9041c20256616c9c183f7d1049142a7ac6991
ms.translationtype: MT
ms.contentlocale: de-DE
ms.lasthandoff: 09/24/2021
ms.locfileid: "59590345"
---
# <a name="xml-for-friends"></a>XML für „friends“
Das **Friends-Element** im XML-Schema des Microsoft Outlook Connector für soziale Netzwerke (OSC) ermöglicht es einem OSC-Anbieter, Informationen für eine Liste von Personen anzugeben, die einem Outlook Benutzer im sozialen Netzwerk zugeordnet sind. Wenn der OSC-Anbieter die zwischengespeicherte Synchronisierung unterstützt, enthält diese Liste nur Freunde des Outlook Benutzers im sozialen Netzwerk. Wenn das OSC die On-Demand- oder Hybridsynchronisierung unterstützt, kann diese Liste sowohl Freunde als auch Nicht-Freunde des Outlook Benutzers enthalten.
Jede Person in der Liste wird als **Personenelement** im XML-Schema dargestellt, das Details wie Vornamen, Nachnamen und E-Mail-Adressen unterstützt. OSC-Anbieter verwenden die **Elemente "Freunde"** und **"Person",** unabhängig davon, wie sie möchten, dass der OSC Freundesinformationen aus dem sozialen Netzwerk synchronisiert. Beachten Sie, dass die untergeordneten Elemente einer **Person** mit einigen eigenschaften eines Outlook Kontakts vergleichbar sind, was das Speichern von Freunden in einem Outlook Kontaktordner speziell für das soziale Netzwerk erleichtert, wenn das soziale Netzwerk die zwischengespeicherte oder hybride Synchronisierung von Freunden mit einem Outlook Kontaktordner unterstützt.
## <a name="example-scenarios"></a>Beispielszenarien
Die folgenden Beispielszenarien zeigen die OSC-Anbietererweiterungs-API-Aufrufe, die von einem OSC-Anbieter implementiert werden, und die OSC zum Abrufen von Friend-Informationen. Informationen werden in XML-Zeichenfolgen ausgedrückt, die dem OSC-Anbieter-XML-Schema entsprechen.
Ein Beispiel für den XML-Code für Freunde finden Sie unter ["Friends XML-Beispiel".](friends-xml-example.md) Weitere Informationen zum Synchronisieren der Informationen von Freunden finden Sie unter ["Synchronisieren von Freunden und Aktivitäten".](synchronizing-friends-and-activities.md)
### <a name="scenario-1-get-a-list-of-friends"></a>Szenario 1: Abrufen einer Liste von Freunden
Szenario 1: OSC ruft eine Liste von Freunden sowie ein [ISocialPerson-Objekt](isocialpersoniunknown.md) und ein Bild für jeden Freund ab:
1. Ein OSC-Anbieter, der das Anzeigen von Freunden von der Website des sozialen Netzwerks unterstützt und es dem OSC ermöglicht, Freundesinformationen zwischenzuspeichern, weist darauf hin, dass der OSC die **Elemente "getFriends"** und **"cacheFriends"** verwendet, bei denen es sich um untergeordnete Elemente des **Capabilities-Elements** handelt.
2. Der OSC-Anbieter implementiert auch die Methoden [ISocialProvider::GetCapabilities](isocialprovider-getcapabilities.md), [ISocialSession::GetPerson](isocialsession-getperson.md), [ISocialPerson::GetFriendsAndColleagues](isocialperson-getfriendsandcolleagues.md)und [ISocialPerson::GetPicture.](isocialperson-getpicture.md)
3. Der OSC ruft **ISocialProvider::GetCapabilities** auf, um den Wert der folgenden Elemente zu überprüfen: **getFriends,** um zu überprüfen, ob der OSC-Anbieter das Anzeigen von Freunden aus dem sozialen Netzwerk unterstützt, und **cacheFriends,** um zu überprüfen, ob der Anbieter das Zwischenspeichern von Freunden unterstützt.
4. Der OSC ruft **ISocialSession::GetPerson** auf, um ein **ISocialPerson-Objekt** für den Outlook Benutzer abzurufen.
5. Der OSC ruft **ISocialPerson::GetFriendsAndColleagues** auf, um die Outlook Freundesliste des Benutzers in der _Parameterzeichenfolge "personCollection"_ zurückzugeben. Die _personCollection-Zeichenfolge_ entspricht der XML-Schemadefinition für das **Friends-Element** im XML-Schema.
6. Für jeden Friend in der personCollection-XML-Zeichenfolge ruft der OSC den Wert des **userID-Elements** ab, um **ISocialSession::GetPerson** aufzurufen, um ein **ISocialPerson-Objekt** für diesen Freund abzurufen.
7. Für jeden Freund in der personCollection-XML-Zeichenfolge ruft der OSC [ISocialPerson::GetPicture](isocialperson-getpicture.md) auf, um eine Bildressource für diesen Freund abzurufen.
Der OSC kann weitere Aufrufe des **ISocialPerson-Objekts** ausführen, um Aktivitäten und Details (z. B. E-Mail-Adressen) für diesen Freund abzurufen.
### <a name="scenario-2-synchronize-friends"></a>Szenario 2: Synchronisieren von Freunden
Szenario 2: OSC synchronisiert Freunde dynamisch:
1. Ein OSC-Anbieter, der die On-Demand-Synchronisierung von Freunden und Nicht-Freunden unterstützt, gibt dies für osc mithilfe der **getFriends-** und **dynamicContactsLookup-Elemente** an. Der OSC-Anbieter legt auch das **hashFunction-Element** fest. Alle drei Elemente sind untergeordnete Elemente von **Funktionen.**
2. Der OSC-Anbieter implementiert auch die [ISocialSession2::GetPeopleDetails-Methode.](isocialsession2-getpeopledetails.md)
3. Der OSC ruft **ISocialProvider::GetCapabilities** auf, um die Werte von **getFriends** und **dynamicContactsLookup** zu überprüfen, um sicherzustellen, dass der OSC-Anbieter Freunde und die On-Demand-Synchronisierung von Freunden und Nicht-Freunden unterstützt. Der OSC notiert auch den Wert der **hashFunction,** die vom OSC-Anbieter unterstützt wird.
4. Für jeden Benutzer, der im Personenbereich angezeigt wird, erfasst osc die E-Mail-Adresse des Benutzers und verschlüsselt sie mithilfe der in **hashFunction** angegebenen Hashfunktion. Dies bildet eine XML-Zeichenfolge, die der XML-Schemadefinition für das **HashedAddresses-Element** entspricht.
5. Der OSC ruft **ISocialSession2::GetPeopleDetails** auf und stellt diese XML-Zeichenfolge mit Hashadressen als _personAddresses-Parameter_ bereit, um dynamisch aktualisierte Details für Personen im _Parameter "personsCollection"_ abzurufen. Die Zeichenfolge des _personsCollection-Parameters_ entspricht der XML-Schemadefinition für das **Friends-Element** im XML-Schema.
## <a name="parent-and-child-elements"></a>Übergeordnete und untergeordnete Elemente
Es folgen die beiden Elemente auf oberster Ebene im Freundesschema.
|**Element**|**Beschreibung**|
|:-----|:-----|
|**Freunde** <br/> |Stellt das Stammelement einer Liste von **Personenelementen** dar. Die **ISocialPerson::GetFriendsAndColleagues**, [ISocialSession::FindPerson](isocialsession-findperson.md)und **ISocialSession2::GetPeopleDetails** geben XML-Zeichenfolgen zurück, die der Schemadefinition des **Friends-Elements** entsprechen. <br/> |
|**person** <br/> |Stellt eine Person in einer Liste von **Personenelementen** dar. Die [ISocialPerson::GetDetails-Methode](isocialperson-getdetails.md) gibt eine XML-Zeichenfolge zurück, die der Schemadefinition des **Personenelements** entspricht. <br/> |
In der folgenden Tabelle werden die einzelnen untergeordneten Elemente des **Personenelements** im OSC-Anbieter-XML-Schema beschrieben.
Eine vollständige Definition des OSC-Anbieter-XML-Schemas, einschließlich der erforderlichen oder optionalen Elemente, finden Sie unter [Outlook XML-Schema](outlook-social-connector-provider-xml-schema.md)des Connector für soziale Netzwerke.
|**Element**|**Beschreibung**|
|:-----|:-----|
|**address** <br/> |Physische Anschrift der Person. <br/> |
|**Jahrestag** <br/> |Fälligkeitsdatum für ein Ereignis für die Person. <br/> |
|**askmeabout** <br/> |Themen, die von Interesse oder Fachwissen der Person sind. <br/> |
|**birthday** <br/> |Geburtsdatum der Person. <br/> |
|**businessAddress** <br/> |Physische Anschrift des Arbeitsplatzes der Person. <br/> |
|**businessCity** <br/> |Ort für den Arbeitsplatz der Person. <br/> |
|**businessCountryOrRegion** <br/> |Land oder Region des Arbeitsplatzes der Person. <br/> |
|**businessState** <br/> |Bundesland oder Kanton des Arbeitsplatzes der Person. <br/> |
|**businessZip** <br/> |Postleitzahl des Arbeitsplatzes der Person. <br/> |
|**Zelle** <br/> |Mobiltelefonnummer für die Person. <br/> |
|**Stadt** <br/> |Ort der physischen Adresse der Person. <br/> |
|**company** <br/> |Name des Unternehmens, das der Person zugeordnet ist. <br/> |
|**countryOrRegion** <br/> |Land oder Region der physischen Adresse der Person. <br/> |
|**Creationtime** <br/> |Erstellungszeit des Profils der Person im sozialen Netzwerk. <br/> |
|**emailAddress** <br/> |Primäre E-Mail-Adresse der Person. <br/> |
|**emailAddress2** <br/> |Sekundäre E-Mail-Adresse der Person. <br/> |
|**emailAddress3** <br/> |Empfänger-E-Mail-Adresse der Person. <br/> |
|**expirationTime** <br/> |Zeit, zu der die Profildaten der Person im sozialen Netzwerk ablaufen. <br/> |
|**fileAs** <br/> |Zeichenfolge, mit der die Person als Kontakt in einer Outlook Kontaktdatei abgelegt werden soll. <br/> |
|**firstName** <br/> |Vorname oder Vorname der Person. <br/> |
|**friendStatus** <br/> |Friend-Status dieser Person mit dem angemeldeten Benutzer im sozialen Netzwerk. Muss einer der folgenden Werte sein: **friend**, **nonfriend**, **pending**, **pendingin**, **pendingout**. <br/> |
|**Fullname** <br/> |Vollständiger Name der Person. <br/> |
|**Geschlecht** <br/> |Geschlecht der Person. Muss einer der folgenden Werte sein: **male**, **female**, **unpecified**. <br/> |
|**homePhone** <br/> |Privattelefonnummer für die Person. <br/> |
|**Index** <br/> |Speicherort der gehashten Adresse der Person im _Zeichenfolgenparameter "personsAddresses",_ der an einen Aufruf der **ISocialSession2::GetPeopleDetails-Methode** übergeben wird. Es gibt auch den Personen-XML-Code der Person in der von **GetPeopleDetails** zurückgegebenen _Personensammlungszeichenfolge_ an. <br/> |
|**Industrien** <br/> |Branchen, in denen die Person tätig ist. <br/> |
|**interests** <br/> |Interessen oder Hobbys der Person. <br/> |
|**lastModificationTime** <br/> |Zeitpunkt, zu dem das Profil der Person zuletzt im sozialen Netzwerk geändert wurde. <br/> |
|**lastName** <br/> |Nachname oder Nachname der Person. <br/> |
|**location** <br/> |Der Speicherort der Person. <br/> |
|**Spitzname** <br/> |Ein kürzerer Name oder Name der Person. <br/> |
|**otherAddress** <br/> |Alternative Anschrift der Person. <br/> |
|**otherCity** <br/> |Ort der alternativen Adresse der Person. <br/> |
|**otherCountryOrRegion** <br/> |Land oder Region der alternativen Adresse der Person. <br/> |
|**otherState** <br/> |Bundesland oder Kanton der alternativen Adresse der Person. <br/> |
|**otherZip** <br/> |Postleitzahl der alternativen Adresse der Person. <br/> |
|**Telefon** <br/> |Primäre Kontakttelefonnummer für die Person. <br/> |
|**pictureUrl** <br/> |URL für ein Profilbild der Person. <br/> |
|**Beziehung** <br/> |Beziehung dieser Person zum angemeldeten Benutzer. <br/> |
|**schools** <br/> |Die Schulen, zu denen die Person geht oder zu der sie gegangen ist. <br/> |
|**skills** <br/> |Persönliche Fähigkeiten der Person. <br/> |
|**state** <br/> |Bundesland oder Kanton der physischen Adresse der Person. <br/> |
|**title** <br/> |Bezeichnung, die dem Namen der Person hinzugefügt wurde. <br/> |
|**Userid** <br/> |ID, um die Person im sozialen Netzwerk zu identifizieren. <br/> |
|**webProfilePage** <br/> |Webseitenadresse, die ein Profil der Person enthält. <br/> |
|**Website** <br/> |Die Website der Person. <br/> |
|**workPhone** <br/> |Geschäftliche Telefonnummer für die Person. <br/> |
|**Zip** <br/> |Postleitzahl oder Postleitzahl der physischen Adresse der Person. <br/> |
## <a name="see-also"></a>Siehe auch
- [Xml-Beispiel für Freunde](friends-xml-example.md)
- [Synchronisieren von Freunden und Aktivitäten](synchronizing-friends-and-activities.md)
- [XML für Funktionen](xml-for-capabilities.md)
- [XML für Aktivitäten](xml-for-activities.md)
- [Entwickeln eines Providers mit dem OSC-XML-Schema](developing-a-provider-with-the-osc-xml-schema.md)
| 91.507353 | 711 | 0.756448 | deu_Latn | 0.986591 |
dc6cd2777b393fb3200fe39cbd05c1d6a81551b0 | 4,014 | md | Markdown | README.md | davidkpiano/xactor | 4835fd3675a294a5e842a65a1d478e24ebf5acf8 | [
"MIT"
] | 157 | 2020-08-27T15:23:17.000Z | 2021-05-19T18:37:56.000Z | README.md | statelyai/xactor | 4835fd3675a294a5e842a65a1d478e24ebf5acf8 | [
"MIT"
] | 2 | 2022-01-02T06:17:50.000Z | 2022-01-25T08:00:06.000Z | README.md | statelyai/xactor | 4835fd3675a294a5e842a65a1d478e24ebf5acf8 | [
"MIT"
] | 4 | 2021-09-03T18:31:10.000Z | 2022-02-07T02:39:03.000Z | <p align="center">
<br />
<img src="https://s3.amazonaws.com/media-p.slid.es/uploads/174419/images/7647776/xactor-logo.svg" alt="XState" width="100"/>
<br />
<sub><strong>The Actor Model for JavaScript</strong></sub>
<br />
<br />
</p>
**🚧 Work in progress! 🚧**
XActor is an [actor model](https://en.wikipedia.org/wiki/Actor_model) implementation for JavaScript and TypeScript, heavily inspired by [Akka](https://akka.io/). It represents the "actor model" parts of [XState](https://github.com/davidkpiano/xstate) and can be used with or without XState.
## Resources
Learn more about the Actor Model:
- [The Actor Model in 10 Minutes](https://www.brianstorti.com/the-actor-model/)
- [🎥 The Actor Model Explained](https://www.youtube.com/watch?v=ELwEdb_pD0k)
- [What is the Actor Model and When Should You Use It?](https://mattferderer.com/what-is-the-actor-model-and-when-should-you-use-it)
- [📄 ACTORS: A Model of Concurrent Computation in Distributed Systems (Gul Agha)](https://dspace.mit.edu/handle/1721.1/6952)
- [📄 A Universal Modular ACTOR Formalism for Artificial Intelligence (Carl Hewitt et. al.](https://www.semanticscholar.org/paper/A-Universal-Modular-ACTOR-Formalism-for-Artificial-Hewitt-Bishop/acb2f7040e21cbe456030c8535bc3f2aafe83b02)
## Installation
- With [npm](https://www.npmjs.com/package/xactor): `npm install xactor --save`
- With Yarn: `yarn add xactor`
## Quick Start
[Simple Example](https://codesandbox.io/s/simple-xactor-example-7iyck?file=/src/index.js):
```js
import { createSystem, createBehavior } from 'xactor';
// Yes, I know, another trivial counter example
const counter = createBehavior(
(state, message, context) => {
if (message.type === 'add') {
context.log(`adding ${message.value}`);
return {
...state,
count: state.count + message.value,
};
}
return state;
},
{ count: 0 }
);
const counterSystem = createSystem(counter, 'counter');
counterSystem.subscribe(state => {
console.log(state);
});
counterSystem.send({ type: 'add', value: 3 });
// => [counter] adding 3
// => { count: 3 }
counterSystem.send({ type: 'add', value: 1 });
// => [counter] adding 1
// => { count: 4 }
```
## API
### `createBehavior(reducer, initialState)`
Creates a **behavior** that is represented by the `reducer` and starts at the `initialState`.
**Arguments**
- `reducer` - a reducer that takes 3 arguments (`state`, `message`, `actorContext`) and should return the next state (tagged or not).
- `initialState` - the initial state of the behavior.
**Reducer Arguments**
- `state` - the current _untagged_ state.
- `message` - the current message to be processed by the reducer.
- `actorContext` - the [actor context](#actor-context) of the actor instance using this behavior.
## Actor Context
The actor context is an object that includes contextual information about the current actor instance:
- `self` - the `ActorRef` reference to the own actor
- `system` - the reference to the actor system that owns this actor
- `log` - function for logging messages that reference the actor
- `spawn` - function to [spawn an actor](#spawning-actors)
- `stop` - function to stop a spawned actor
- `watch` - function to watch an actor
## Spawning Actors
Actors can be spawned via `actorContext.spawn(behavior, name)` within a behavior reducer:
```js
const createTodo = (content = "") => createBehavior((state, msg, ctx) => {
// ...
return state;
}, { content });
const todos = createBehavior((state, msg, ctx) => {
if (msg.type === 'todo.create') {
return {
...state,
todos: [
...state.todos,
ctx.spawn(createTodo(), 'some-unique-todo-id')
]
}
}
// ...
return state;
}, { todos: [] });
const todoSystem = createSystem(todos, 'todos');
todoSystem.send({ type: 'todo.create' });
```
_Documentation still a work-in-progress! Please see [the tests](https://github.com/davidkpiano/xactor/blob/master/test/actorSystem.test.ts) for now as examples._
| 31.359375 | 290 | 0.686099 | eng_Latn | 0.756651 |
dc6df2f6998d6ee180561a80435178698d6b0665 | 532 | md | Markdown | README.md | 23subbhashit/ML-Data-Science-competition-tips | b1118308e87d78fd57479cebf509b686337f65c5 | [
"Apache-2.0"
] | null | null | null | README.md | 23subbhashit/ML-Data-Science-competition-tips | b1118308e87d78fd57479cebf509b686337f65c5 | [
"Apache-2.0"
] | null | null | null | README.md | 23subbhashit/ML-Data-Science-competition-tips | b1118308e87d78fd57479cebf509b686337f65c5 | [
"Apache-2.0"
] | null | null | null | # ML-Data-Science-competition-tips
This repository is for some main things that everyone miss while preparing for some ml challenges.
![WhatsApp Image 2020-05-20 at 11 03 30](https://user-images.githubusercontent.com/43717493/82408728-dac8a100-9a89-11ea-8ab8-7cc88e6d92d8.jpeg)
![KazAnova's competition pipeline, part 1 - National Research University Higher School of Economics _ Coursera - Google Chrome 24-05-2020 11_24_29](https://user-images.githubusercontent.com/43717493/82746785-53dd3680-9db1-11ea-8fc9-5ff52750a06c.png)
| 59.111111 | 249 | 0.81015 | eng_Latn | 0.435881 |
dc702f222752109dd165fbda324fef14033e8138 | 198 | md | Markdown | README.md | msulibrary/bib-template-textbook | ed97c26e54cd686970414847fc041f7b90a639de | [
"CC-BY-3.0",
"MIT"
] | null | null | null | README.md | msulibrary/bib-template-textbook | ed97c26e54cd686970414847fc041f7b90a639de | [
"CC-BY-3.0",
"MIT"
] | null | null | null | README.md | msulibrary/bib-template-textbook | ed97c26e54cd686970414847fc041f7b90a639de | [
"CC-BY-3.0",
"MIT"
] | null | null | null | Source code here is the HTML, CSS, Javascript, and PHP/MySQL from the example book reader prototype for a textbook showing how to responsively design a web book with RDFa and Semantic Web concepts.
| 99 | 197 | 0.808081 | eng_Latn | 0.999429 |
dc70c420acab66469f170f7ea2b4941e43a65200 | 2,279 | md | Markdown | README.md | StephenHLin/Adiabatic-Bragg-Grating-Spiral | db10de47da9f2acb365e2f7acfb01c3b6c585a4b | [
"MIT"
] | 5 | 2018-01-04T07:46:40.000Z | 2020-05-03T02:25:01.000Z | README.md | StephenHLin/Adiabatic-Bragg-Grating-Spiral | db10de47da9f2acb365e2f7acfb01c3b6c585a4b | [
"MIT"
] | 1 | 2018-03-01T00:28:33.000Z | 2018-03-01T00:28:33.000Z | README.md | StephenHLin/Adiabatic-Bragg-Grating-Spiral | db10de47da9f2acb365e2f7acfb01c3b6c585a4b | [
"MIT"
] | 1 | 2020-12-01T12:58:18.000Z | 2020-12-01T12:58:18.000Z | # Adiabatic Bragg Grating Spiral
This code was made as an addon component for the [SiEPIC PDK](https://github.com/lukasc-ubc/SiEPIC_EBeam_PDK/). The code can generate polygons for spirals with gratings.
<img src="/images/spiralcdc.JPG" alt="drawing" width="300"/>
<img src="/images/gratings.JPG" alt="drawing" width="300"/>
## Requirements
- [SiEPIC PDK](https://github.com/lukasc-ubc/SiEPIC_EBeam_PDK)
- [Klayout](https://www.klayout.de/)
## Installation
- Install the SiEPIC PDK into Klayout
- Place *PCM_Spiral_Pcells.lym* in your KLayout/tech/EBeam/pymacros folder
- Place *Layout_PCMSpirals.lym* in your KLayout/pymacros
## How to use
You can create individual devices via the *instance* button in Klayout. This button will only show up after the SiEPIC PDK is installed and you have enabled *editing mode*.
To use the layout script to create automatic designs, open the macro development window (F5) and then locate the *Layout_PCMSpirals* file. The script can take in arrays of parameters and iterates a whole layout for each combination.
## Technical Details
- The spiral is drawn based on the Integrated Bragg grating in spiral waveguides[1] by Alexandre D. Simard. The gratings are drawn by creating 'clone' spirals with radius that match the waveguide widths and then scaling them via a scalar (found by calculating the inverse of the slope of the whole grating)
- The drawn length of the spiral is calculated by a step size based on the angle. Therefore it is possible the lengths could differ by a miniscule amount from expected.
Below is an image of the parameters to clear up confusion:
![Alt text](/images/Parameters.PNG)
## Features
- [x] Orthogonal Gratings
- [ ] Chirping of grating period
- [ ] Waveguide width increase/decrease from input to output
- [x] Slab waveguide
- [x] CDC Structure
## Known Issues
- Gap: The gap is smaller than designated in the first rotation as the spiral is still growing. Suggested solution: set the gap bigger than intended
- Rounding: Spirals are drawn via dpoints (double points) and thus sometimes it results in rounding errors of the smallest dbu set (0.001 default). Suggested: Overlap the areas that have these errors
## References
[1] https://www.osapublishing.org/oe/fulltext.cfm?uri=oe-21-7-8953&id=252032
| 53 | 306 | 0.774024 | eng_Latn | 0.988488 |
dc7334b706e17d6124fd48412b5b309a1cdfb254 | 788 | md | Markdown | _drafts/2019-08-06-so-many-anovas-to-one.md | Mijones22/davan690.github.io | 852ae1cb9ea03c8c7a98ba58d8829f8a5103affc | [
"MIT"
] | null | null | null | _drafts/2019-08-06-so-many-anovas-to-one.md | Mijones22/davan690.github.io | 852ae1cb9ea03c8c7a98ba58d8829f8a5103affc | [
"MIT"
] | null | null | null | _drafts/2019-08-06-so-many-anovas-to-one.md | Mijones22/davan690.github.io | 852ae1cb9ea03c8c7a98ba58d8829f8a5103affc | [
"MIT"
] | null | null | null | ---
title: "Reporting in ANOVAs"
layout: post
subtitle: "Simply not simple"
image: /img/tools.jpg
permlink: /anova-selection.html
tags: ["website", "overview", "general"]
bigimg: /img/tools.jpg
use-site-title: true
---
Here is the report I sent my supervisor after many many models were selected, fitted and discarded. That information is somewhere in the version control and many other `.rmd` files but for now here is a simple results in a `.docx` format.
`{{anova-low-tests.html}}`
## References
There are many others that have done this before me. Here are a collection of these resources.
#### Literature
`insert citr stuff`
#### Packages used
```R
#import package list here using..
```
## My notes
I generated this `.html` format using the following code:
```R
```
| 18.761905 | 238 | 0.715736 | eng_Latn | 0.994558 |
dc73579dae9092ccf42d177cb637a5c42304d5da | 203 | md | Markdown | README.md | LaevusDexter/grammarbot | 8e66cee333677bdd190d02a151d2059b1e6cece3 | [
"MIT"
] | 3 | 2020-03-29T00:04:18.000Z | 2020-09-29T01:08:50.000Z | README.md | LaevusDexter/grammarbot | 8e66cee333677bdd190d02a151d2059b1e6cece3 | [
"MIT"
] | null | null | null | README.md | LaevusDexter/grammarbot | 8e66cee333677bdd190d02a151d2059b1e6cece3 | [
"MIT"
] | null | null | null | # grammarbot
A Go API client for [GrammrBot API](https://www.grammarbot.io/)
## Installation
```sh
go get github.com/LaevusDexter/grammarbot
```
## Usage
Check the `grammarbot_test.go`
| 14.5 | 64 | 0.674877 | yue_Hant | 0.842691 |
dc73963c256ca2f13649f024d5ee4b4ee206feb1 | 1,076 | md | Markdown | test/README.md | thiagoananias/serverless-finch | 252e3ce9ebd513af04edeb9701eb67c9a5db929b | [
"MIT"
] | null | null | null | test/README.md | thiagoananias/serverless-finch | 252e3ce9ebd513af04edeb9701eb67c9a5db929b | [
"MIT"
] | null | null | null | test/README.md | thiagoananias/serverless-finch | 252e3ce9ebd513af04edeb9701eb67c9a5db929b | [
"MIT"
] | 1 | 2021-11-25T14:56:19.000Z | 2021-11-25T14:56:19.000Z | # Testing
Tests use the [Mocha](https://mochajs.org) test framework.
Tests are configured with the [runServerless](https://github.com/serverless/test/blob/main/docs/run-serverless.md#run-serverless) util so that they reflect real world usage.
## Unit tests
Run all unit tests:
```
npm test
```
## AWS integration tests
Run all integration tests:
```
AWS_ACCESS_KEY_ID=XXX AWS_SECRET_ACCESS_KEY=xxx npm run integration-test
```
*Note: relying on AWS_PROFILE won't work because home folder is mocked for test runs.*
Run a specific integration test:
```
AWS_ACCESS_KEY_ID=XXX AWS_SECRET_ACCESS_KEY=xxx npx mocha test/integration/{chosen}.test.js
```
S3 buckets created during testing are prefixed with `serverless-finch-test`. They should be automatically deleted on test completion.
Ideally any feature that integrates with AWS functionality should be backed by integration tests.
## References
- [@serverless/serverless testing guidelines](https://github.com/serverless/serverless/tree/main/test#readme)
- [@serverless/test](https://github.com/serverless/test) | 27.589744 | 173 | 0.77881 | eng_Latn | 0.83229 |
dc779bad0980368bad7f6daaef6e4c4a2002efa0 | 955 | md | Markdown | README.md | luzhaigo/prive_facebook_page | d34840c0c5e35cdb599f589cb18b5e264fc4dfef | [
"MIT"
] | null | null | null | README.md | luzhaigo/prive_facebook_page | d34840c0c5e35cdb599f589cb18b5e264fc4dfef | [
"MIT"
] | null | null | null | README.md | luzhaigo/prive_facebook_page | d34840c0c5e35cdb599f589cb18b5e264fc4dfef | [
"MIT"
] | null | null | null | # Prive Facebook Page
This web app is built by Vue.js and is still in development. It can show your own facebook pages.
You can set up env variable VUE_APP_APPID with facebook application appId if you want to clone this repo and start coding.
You can access by https://luzhaigo.github.io/prive_facebook_page/
## Project setup
```
yarn install
```
### Compiles and hot-reloads for development
```
yarn run serve
```
### Compiles and minifies for production
```
yarn run build
```
---
#### Login
<img src="https://luzhaigo.github.io/prive_facebook_page/gif/login.gif" width="500" alt="login">
#### Go to posts page and paging
<img src="https://luzhaigo.github.io/prive_facebook_page/gif/gotoposts.gif" width="500" alt="Go to posts page and paging">
#### Delete the post
<img src="https://luzhaigo.github.io/prive_facebook_page/gif/deletethepost.gif" width="500" alt="Delete the post">
## License
MIT © [luzhaigo](https://github.com/luzhaigo) | 25.810811 | 122 | 0.73089 | eng_Latn | 0.863993 |
dc7a15e9081b842b2c22881f95e08a14dfbdb0df | 80 | md | Markdown | README.md | Shachindra/ESP32-Experiments | 416ea5af48c406352442fcc8f5051e0a4cb1ac03 | [
"MIT"
] | null | null | null | README.md | Shachindra/ESP32-Experiments | 416ea5af48c406352442fcc8f5051e0a4cb1ac03 | [
"MIT"
] | null | null | null | README.md | Shachindra/ESP32-Experiments | 416ea5af48c406352442fcc8f5051e0a4cb1ac03 | [
"MIT"
] | null | null | null | # ESP32-Experiments
Experiments with ESP32 Interfacing with modules and sensors
| 26.666667 | 59 | 0.85 | eng_Latn | 0.977139 |
dc7b1716c6c57d6e5fe6bf7bfd0fea92bdb3137e | 1,034 | md | Markdown | README.md | mizdra/shiki | afa314bd0a2dd1c84159fbfb185fa8ca69544efa | [
"MIT"
] | 1 | 2018-12-13T05:43:13.000Z | 2018-12-13T05:43:13.000Z | README.md | mizdra/shiki | afa314bd0a2dd1c84159fbfb185fa8ca69544efa | [
"MIT"
] | null | null | null | README.md | mizdra/shiki | afa314bd0a2dd1c84159fbfb185fa8ca69544efa | [
"MIT"
] | null | null | null | # shiki
Shiki is the rust-like programming language.
## Setup
```
$ git clone https://github.com/mizdra/shiki
$ cd shiki
$ cargo build
```
## Usage
```
## REPL
$ cargo run --bin shiki --features="repl"
>> -1 + 2 * 3 - (4 + 5) * 6;
-49
>> let val = "Hello World";
()
>> val
"Hello World"
>> let pow = |a, b| { if b <= 1 { return a; } a * pow(a, b - 1) };
()
>> pow(3, 3)
27
>> let sum = 0;
()
>> while sum < 10 { sum = sum + 1; }
()
>> sum
10
>> undefined_val
runtime error: cannot find identifier `undefined_val` in this scope
>> "str" - "s"
runtime error: no implementation for `String - String`
>> return 1;
runtime error: cannnot return from outside of lambda expression
>> let invalid := 1;
parse error: expected `=`, found `:`
>> ^C
bye
## Test
$ cargo test
```
## License
- MIT License
- This software is made based on [tsuyoshiwada/rs-monkey-lang](https://github.com/tsuyoshiwada/rs-monkey-lang) ([License](https://raw.githubusercontent.com/tsuyoshiwada/rs-monkey-lang/2189321538e58416708bea361b1c080a3f9c7c49/LICENSE)).
| 20.27451 | 235 | 0.648936 | eng_Latn | 0.725359 |
dc7b2102a9300ce4544c32e2611f1ea920fac9b5 | 22 | md | Markdown | MD/MYH2019.md | vitroid/vitroid.github.io | cb4f06a4a4925a0e06a4001d3680be7998552b83 | [
"MIT"
] | null | null | null | MD/MYH2019.md | vitroid/vitroid.github.io | cb4f06a4a4925a0e06a4001d3680be7998552b83 | [
"MIT"
] | 1 | 2020-02-12T02:46:21.000Z | 2020-02-12T02:46:21.000Z | MD/MYH2019.md | vitroid/vitroid.github.io | cb4f06a4a4925a0e06a4001d3680be7998552b83 | [
"MIT"
] | null | null | null | # MYH2019
物理学会誌・執筆中
| 4.4 | 9 | 0.681818 | vie_Latn | 0.104193 |
dc7be165b503fe917a697024ebfdf2a45b492983 | 943 | md | Markdown | initialiser/README.md | GoXLR-on-Linux/GoXLR-Utility | a3e46d3db524cbf54d4dcdd1d9549e87e587321d | [
"MIT"
] | 16 | 2022-01-06T03:43:06.000Z | 2022-03-17T23:52:57.000Z | initialiser/README.md | Dinnerbone/GoXLR | 8ed8817db9837ed6cec6c6033bef0f18088ac554 | [
"MIT"
] | 2 | 2022-01-04T04:56:42.000Z | 2022-01-05T12:24:27.000Z | initialiser/README.md | Dinnerbone/GoXLR | 8ed8817db9837ed6cec6c6033bef0f18088ac554 | [
"MIT"
] | 5 | 2022-01-03T16:57:15.000Z | 2022-01-04T14:56:28.000Z | # GoXLR Initialiser
This program is designed to prepare a freshly powered on GoXLR for use. It's intended to be run as
early in the boot process as possible, and will iterate over all GoXLR devices, check their state, and if
needed, activate and enable its features. This is especially useful for the GoXLR Mini device, which loses
power on reboot.
This application will (if necessary) temporarily detach the kernel module and thus the GoXLRs sound components,
so it's important to ensure it's not executed after user-space audio applications and setups (such as Jack or Pulse),
as restoring audio after this point can become difficult.
An example systemd service to activate this would look something like:
```
[Unit]
Description=GoXLR Initialiser
[Service]
Type=oneshot
ExecStart=/path/to/goxlr-initialiser
[Install]
WantedBy=graphical.target
```
Once run, the daemon should be able to start up correctly, and handle profile loading. | 36.269231 | 117 | 0.795334 | eng_Latn | 0.998366 |
dc7c1b3fee5b4a3d5f31dee2e7042d038b561474 | 3,389 | md | Markdown | type exercise/tree exercise/README.md | JakobKoempel/fsharp_exercise | ba5ad64b1f3ca759f0085b7066573f03b0f3473c | [
"MIT"
] | null | null | null | type exercise/tree exercise/README.md | JakobKoempel/fsharp_exercise | ba5ad64b1f3ca759f0085b7066573f03b0f3473c | [
"MIT"
] | null | null | null | type exercise/tree exercise/README.md | JakobKoempel/fsharp_exercise | ba5ad64b1f3ca759f0085b7066573f03b0f3473c | [
"MIT"
] | null | null | null | # Tree structures in F#
In this program I implemented a sorted tree structure in F# using types. We can build the basis of a tree in a few lines in F# by creating a new type called 'SortTree'. (Note: the first letter of a type name is allways capitalized)
```fsharp
type SortTree = {
value : int
left : SortTree option
right : SortTree option
}
```
In theory we could now go ahead and create a initialize a tree like this.
```fsharp
{value = 1 ; left = None ; right = Some ({value = 2 ; left = None ; right = None})}
```
It is obvious that it gets very confusing creating trees like that and the process isnt automatized yet.
Therefore we can write the insert method.
The insert method takes an element, goes through the tree and inserts the new elements in the correct position. The rule for a soted
tree is simple. All the elements in the right part of a node must be equal or larger than the value of the node itself and vice versa
for the elements to the left.
So in order to insert a elements into a sorted tree we have to go throught the tree starting at the base node. If the element to insert
is larger than the node value you go to the right node if it is smaller you go to the left node. You repeat that process until you find
an empty node where you can store the new element. In F# it looks like this.
```fsharp
type SortTree = {
value : int
left : SortTree option
right : SortTree option
} with
member this.insert (num : int) : SortTree =
let rec f (tree : SortTree option) (x : int) : SortTree =
match tree with
| Some t -> if x < t.value then {t with left = Some (f t.left x)}
else {t with right = Some (f t.right x)}
| None -> {value = x ; left = None ; right = None}
f (Some this) num
```
After we have implemented the insert function, we can insert every element in a given list using a List.fold function. A random example
is shown below.
```fsharp
let tree : SortTree = [1 ; 10 ; 15 ; 2 ; 3 ; 8]
|> List.fold (fun (acc : SortTree) num -> acc.insert num) {value = 8 ; left = None ; right = None}
```
Another function I wrote is called 'toList'. It converts the tree back into a list using the in-order traversal. In-order means that the
left branch is printed out first, the node value second and finally the right branch. The list a sorted tree produces is therefore also
sorted thus the name.
```fsharp
type SortTree = {
value : int
left : SortTree option
right : SortTree option
} with
member this.toList =
let rec f (tree : SortTree option) (list : int list) : int list =
match tree with
| Some t -> f t.left list @ [t.value] @ f t.right list
| None -> list
f (Some this) []
```
We can also print out a tree using the print function but for larger trees the result gets quiet confusing. In the following code I
compared the output of both functions.
```fsharp
let tree : SortTree = [1 ; 10 ; 15 ; 2 ; 3 ; 8]
|> List.fold (fun (acc : SortTree) num -> acc.insert num) {value = 8 ; left = None ; right = None}
tree |> printfn "automatic print function of the tree in F# :\n%A \n"
tree.toList |> printfn "in-order traversal of the sorted tree presented in a list :\n%A"
```
| 42.898734 | 231 | 0.654765 | eng_Latn | 0.999176 |
dc7c4bd4896670935fe052a2ec95c89c55c21575 | 378 | md | Markdown | client/front/pc_web_app/src/components/Captcha/README.md | Limiandy/Panda_community | 09e5eb145d9dc92ca1fa258f080c943d383d1485 | [
"MIT"
] | null | null | null | client/front/pc_web_app/src/components/Captcha/README.md | Limiandy/Panda_community | 09e5eb145d9dc92ca1fa258f080c943d383d1485 | [
"MIT"
] | 1 | 2020-12-09T15:17:08.000Z | 2020-12-09T15:17:08.000Z | client/front/pc_web_app/src/components/Captcha/README.md | Limiandy/Panda_community | 09e5eb145d9dc92ca1fa258f080c943d383d1485 | [
"MIT"
] | null | null | null | ### 组件使用说明
#### 简要说明
该组件实现了,父子组件的数据的双向绑定,使用validate 包实现了表单的核验
#### 版本说明
#### 使用说明
1. 引入组件
2. <captcha ref="captcha" @receiveCode="receiveCode" />
- receiveCode 接收验证码组件传递过来的 验证码的值与 valid(是否通过验证)
- this.$refs.captcha.reRequest(),重新请求验证码,使用场景:如ajax请求失败后,重新发起请求
3. 预留了slot插槽 `<captcha ref="captcha" @receiveCode="receiveCode"> <div
class="btns">...</div> </captcha>`
| 21 | 69 | 0.693122 | yue_Hant | 0.19967 |
dc7d526926ed817f7a632950f20f8122857f619c | 581 | md | Markdown | README.md | jenkinsshubham/CCMS | 6ee5c84b4a735e195752a0fdc75eefb65e724557 | [
"MIT"
] | null | null | null | README.md | jenkinsshubham/CCMS | 6ee5c84b4a735e195752a0fdc75eefb65e724557 | [
"MIT"
] | null | null | null | README.md | jenkinsshubham/CCMS | 6ee5c84b4a735e195752a0fdc75eefb65e724557 | [
"MIT"
] | null | null | null |
# College CMS web app
It's just a first version, but we will continue development of this CMS to create not just another bootstrap customization, but the whole PHP framework.
![alt tag](https://github.com/jenkinsshubham/CCMS/raw/master/Preview/Screenshot%20from%202016-06-08%2018-24-45.png)
## Features
* Student & Faculty login
* HOD & Principal login
* Admin panel for Easy Control
* Graph for attendence and marks
* Report Create
* Responsive layout
* Bootstrap CSS Framework
* jQuery Image slideshow
* and much more...
### From Jenkins
Enjoy!
Made with ♥ by Shubham.
| 22.346154 | 152 | 0.753873 | eng_Latn | 0.901651 |
dc7dcb6a9fba095e1d2f880e3975ac765fa12181 | 881 | md | Markdown | project-notes/TODO.md | jonalmeida/499-notes | c3b437bab2538668cea8c8b001555b5973d95471 | [
"Unlicense"
] | 1 | 2015-01-23T18:19:56.000Z | 2015-01-23T18:19:56.000Z | project-notes/TODO.md | jonalmeida/499-notes | c3b437bab2538668cea8c8b001555b5973d95471 | [
"Unlicense"
] | null | null | null | project-notes/TODO.md | jonalmeida/499-notes | c3b437bab2538668cea8c8b001555b5973d95471 | [
"Unlicense"
] | null | null | null | TODO
====
# Initial Phase
- Read lecture notes Dr. Chen provided.
- Research possible frameworks to use.
- Consider a web-based solution so that it's easily accessible.
- [D3js](http://d3js.org/) specializes in data visualization.
- Ask people on mailing lists/irc.
- Create a flowchart the scenarios of each algorithm
- Consider failure cases.
- Randomization of various cases should be added.
- More sources to check out: [here][1]
## Preliminary process
1. Choose a quick framework and try to start a basic implementation
2. Start with Totally Ordered Multicasting; this is easier to implement.
- Use this implementation time to get a better understanding of what frameworks will help for the next (harder) visualization.
3. Continue from there..
[1]: https://github.com/josephmisiti/awesome-machine-learning#data-analysis--data-visualization-3
| 36.708333 | 130 | 0.748014 | eng_Latn | 0.972567 |
dc7f8e102a78f3b0b8d8ba4be6e7b8edd37f89d0 | 1,643 | md | Markdown | news-site/content/post/e628376df5c19b3fdd3b47fe93335d3f64d3785bf5a18182c5c93fdd55022d25.md | saqoah/news-feed | 679213b6cae4f7038aa59739ba74e9395b13041b | [
"MIT"
] | null | null | null | news-site/content/post/e628376df5c19b3fdd3b47fe93335d3f64d3785bf5a18182c5c93fdd55022d25.md | saqoah/news-feed | 679213b6cae4f7038aa59739ba74e9395b13041b | [
"MIT"
] | null | null | null | news-site/content/post/e628376df5c19b3fdd3b47fe93335d3f64d3785bf5a18182c5c93fdd55022d25.md | saqoah/news-feed | 679213b6cae4f7038aa59739ba74e9395b13041b | [
"MIT"
] | 1 | 2021-11-02T18:36:09.000Z | 2021-11-02T18:36:09.000Z | ---
title: One Medical charged some patients a fee for the COVID-19 vaccine
date: "2021-04-05 16:48:34"
author: The Verge
authorlink: https://www.theverge.com/2021/4/5/22367922/covid-vaccine-one-medical-fee-bill-dc
tags:
- The-Verge
---
<figure>
<img alt="One Medical" src="https://cdn.vox-cdn.com/thumbor/Cqs2Ai6rSxk--PnsgNVFir8ZzZY=/0x209:5000x3542/1310x873/cdn.vox-cdn.com/uploads/chorus_image/image/69078140/1175073468.0.jpg" />
<figcaption>Photo by Smith Collection/Gado/Getty Images</figcaption>
</figure>
<p id="rFEm0j">Health care company One Medical charged administration fees to some people receiving COVID-19 vaccines in Washington, DC, according to bills reviewed by <em>The Verge</em>. The company runs the COVID-19 vaccination site at DC’s Entertainment and Sports Arena. People vaccinated at this site were also prompted to sign up for a trial account with One Medical to receive the shots. </p>
<p id="9dqUMY">One Medical told <em>The Verge </em>in a statement that an error in the billing system led to the charges, that impacted patients “are being notified,” and that they should disregard the bill. “We are monitoring daily to ensure that no new invoices are going out,” One Medical said. </p>
<p id="S7hXGV">There is <a href="https://www.cdc.gov/coronavirus/2019-ncov/vaccines/faq.html#:~:text=Vaccine%20doses%20purchased%20with%20US,the%20shot%20to%20someone.">not supposed to be a charge</a> associated with the COVID-19 vaccine, according to the Centers...</p>
<p>
<a href="https://www.theverge.com/2021/4/5/22367922/covid-vaccine-one-medical-fee-bill-dc">Continue reading…</a>
</p> | 86.473684 | 401 | 0.755326 | eng_Latn | 0.91806 |