commit
stringlengths
40
40
old_file
stringlengths
4
217
new_file
stringlengths
4
217
old_code
stringlengths
0
3.94k
new_code
stringlengths
1
4.42k
subject
stringlengths
15
736
message
stringlengths
15
9.92k
lang
stringclasses
218 values
license
stringclasses
13 values
repos
stringlengths
6
114k
udiff
stringlengths
42
4.57k
db140493afab616f7da7c3212c5e0ae44650b72f
.circleci/config.yml
.circleci/config.yml
# Clojure CircleCI 2.0 configuration file # # Check https://circleci.com/docs/2.0/language-clojure/ for more details # version: 2.1 jobs: build: docker: # specify the version you desire here - image: circleci/clojure:tools-deps-1.9.0.394 # Specify service dependencies here if necessary # CircleCI maintains a library of pre-built images # documented at https://circleci.com/docs/2.0/circleci-images/ # - image: circleci/postgres:9.4 working_directory: ~/repo environment: # Customize the JVM maximum heap limit JVM_OPTS: -Xmx3200m steps: - checkout # Download and cache dependencies - restore_cache: keys: - v2-dependencies-{{ checksum "deps.edn" }} # fallback to using the latest cache if no exact match is found - v2-dependencies- - run: clojure -P -M:test - save_cache: paths: - ~/.m2 key: v2-dependencies-{{ checksum "deps.edn" }} # run tests! - run: clojure -M:test
# Clojure CircleCI 2.0 configuration file # # Check https://circleci.com/docs/2.0/language-clojure/ for more details # version: 2.1 jobs: build: docker: # specify the version you desire here - image: circleci/clojure:tools-deps-1.10.1.727 # Specify service dependencies here if necessary # CircleCI maintains a library of pre-built images # documented at https://circleci.com/docs/2.0/circleci-images/ # - image: circleci/postgres:9.4 working_directory: ~/repo environment: # Customize the JVM maximum heap limit JVM_OPTS: -Xmx3200m steps: - checkout # Download and cache dependencies - restore_cache: keys: - v2-dependencies-{{ checksum "deps.edn" }} # fallback to using the latest cache if no exact match is found - v2-dependencies- - run: clojure -P -M:test - save_cache: paths: - ~/.m2 key: v2-dependencies-{{ checksum "deps.edn" }} # run tests! - run: clojure -M:test
Use a more recent version of Clojure
Use a more recent version of Clojure
YAML
epl-1.0
cddr/ksml
--- +++ @@ -7,7 +7,7 @@ build: docker: # specify the version you desire here - - image: circleci/clojure:tools-deps-1.9.0.394 + - image: circleci/clojure:tools-deps-1.10.1.727 # Specify service dependencies here if necessary # CircleCI maintains a library of pre-built images
925b24a73ccc90fbdb0dc99d6484baf882d221fd
src/main/java/EvenElement.java
src/main/java/EvenElement.java
/** * Copyright (c) 2012 by Tyson Gern * Licensed under the MIT License */ import java.util.*; /** * This class stores an element of a Coxeter group of rank "rank" as a * signed permutation, oneLine. The methods contained in this class * can preform elementary operations on the element. * @author Tyson Gern ([email protected]) */ abstract class EvenElement extends Element { }
/** * Copyright (c) 2012 by Tyson Gern * Licensed under the MIT License */ import java.util.*; /** * This class stores an element of a Coxeter group of rank "rank" as a * signed permutation, oneLine. The methods contained in this class * can preform elementary operations on the element. * @author Tyson Gern ([email protected]) */ abstract class EvenElement extends Element { protected int countNeg() { int count = 0; for (int i = 1; i <= size; i++) { if (mapsto(i) < 0) count ++; } return count; } }
Add sign counting for future use in type B length function.
Add sign counting for future use in type B length function.
Java
mit
tygern/BuildDomino
--- +++ @@ -13,4 +13,14 @@ */ abstract class EvenElement extends Element { + protected int countNeg() { + int count = 0; + + for (int i = 1; i <= size; i++) { + if (mapsto(i) < 0) count ++; + } + + return count; + } + }
89a8e62c03aa2cfe044c9023ec3bbaefb835a7df
test/profile/Posix/instrprof-get-filename-merge-mode.c
test/profile/Posix/instrprof-get-filename-merge-mode.c
// Test __llvm_profile_get_filename when the on-line merging mode is enabled. // // RUN: %clang_pgogen -dynamiclib -o %t.dso %p/Inputs/instrprof-get-filename-dso.c // RUN: %clang_pgogen -o %t %s %t.dso // RUN: env LLVM_PROFILE_FILE="%t-%m.profraw" %run %t #include <string.h> const char *__llvm_profile_get_filename(void); extern const char *get_filename_from_DSO(void); int main(int argc, const char *argv[]) { const char *filename1 = __llvm_profile_get_filename(); const char *filename2 = get_filename_from_DSO(); // Exit with code 1 if the two filenames are the same. return strcmp(filename1, filename2) == 0; }
// Test __llvm_profile_get_filename when the on-line merging mode is enabled. // // RUN: %clang_pgogen -fPIC -shared -o %t.dso %p/../Inputs/instrprof-get-filename-dso.c // RUN: %clang_pgogen -o %t %s %t.dso // RUN: env LLVM_PROFILE_FILE="%t-%m.profraw" %run %t #include <string.h> const char *__llvm_profile_get_filename(void); extern const char *get_filename_from_DSO(void); int main(int argc, const char *argv[]) { const char *filename1 = __llvm_profile_get_filename(); const char *filename2 = get_filename_from_DSO(); // Exit with code 1 if the two filenames are the same. return strcmp(filename1, filename2) == 0; }
Use -fPIC -shared in a test instead of -dynamiclib
[profile] Use -fPIC -shared in a test instead of -dynamiclib This is more portable than -dynamiclib. Also, fix the path to an input file that broke when the test was moved in r375315. git-svn-id: c199f293c43da69278bea8e88f92242bf3aa95f7@375317 91177308-0d34-0410-b5e6-96231b3b80d8
C
apache-2.0
llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt,llvm-mirror/compiler-rt
--- +++ @@ -1,6 +1,6 @@ // Test __llvm_profile_get_filename when the on-line merging mode is enabled. // -// RUN: %clang_pgogen -dynamiclib -o %t.dso %p/Inputs/instrprof-get-filename-dso.c +// RUN: %clang_pgogen -fPIC -shared -o %t.dso %p/../Inputs/instrprof-get-filename-dso.c // RUN: %clang_pgogen -o %t %s %t.dso // RUN: env LLVM_PROFILE_FILE="%t-%m.profraw" %run %t
6f0e236760db70ec2ddf062f8abcc46c939d4dc4
_posts/2014-06-17-Package-Delivered.md
_posts/2014-06-17-Package-Delivered.md
--- layout: post title: Package Delivered author: Josh --- Over the course of the past year we have received a number of packages and letters from family and friends. We are really grateful to all of you who thought to send us something. It was a nice way of continuing to feel connected to and supported by those who we have been so far from. As hard as it is to believe, we are now less than a month away from returning back to Nebraska. There may be some of you reading this who have been meaning to send something and just kept putting it off (that would be me if I were in Nebraska, I love procrastination). You might now be thinking, "Quick, I better send them something before it is too late." You probably shouldn't. With packages and mail arriving in an average of three weeks, the chances are that anything you might now send won't make it before we leave. But don't sweat it, just come greet us at the airport when we get back! That day is going to be here before any of us know it.
Add a new post about sending packages.
Add a new post about sending packages.
Markdown
mit
jbranchaud/joshanderin.com
--- +++ @@ -0,0 +1,22 @@ +--- +layout: post +title: Package Delivered +author: Josh +--- + +Over the course of the past year we have received a number of packages and +letters from family and friends. We are really grateful to all of you who +thought to send us something. It was a nice way of continuing to feel +connected to and supported by those who we have been so far from. + +As hard as it is to believe, we are now less than a month away from +returning back to Nebraska. There may be some of you reading this who have +been meaning to send something and just kept putting it off (that would be +me if I were in Nebraska, I love procrastination). You might now be +thinking, "Quick, I better send them something before it is too late." You +probably shouldn't. + +With packages and mail arriving in an average of three weeks, the chances +are that anything you might now send won't make it before we leave. But +don't sweat it, just come greet us at the airport when we get back! That day +is going to be here before any of us know it.
21dd95a43b7bec0ea1c8618eec46a0e4b134b02c
CHANGELOG.md
CHANGELOG.md
# Changelog All notable changes to this project will be documented in this file. ## Unreleased ### Added - Add links to tweet posts more easily in the admin - Twitter card on show pages ### Changed ### Fixed ### Removed ## v1.1.0 - 2015-10-02 ### Added - Submission of new plays - Ability for admins to validate and reject submissions - Link to the submit page in the main menu - Assets version number ### Changed - Set proper home, show and soon pages titles ## v1.0.2 - 2015-09-22 ### Added - Author display on the show page - Nice favicon ### Fixed - Make the animation takes the full container width ## v1.0.1 - 2015-09-22 ### Added - Author to plays ## v1.0.0 - 2015-09-21 ### Added - Last 5 plays on the homepage - Ability to create new plays when admin - Full paginated list of plays accessible from the homepage - Show pages with a specific URL for each play - "soon" page to be displayed when reaching the end of the list - Piwik tracking
# Changelog All notable changes to this project will be documented in this file. ## Unreleased ### Added ### Changed ### Fixed ### Removed ## v1.1.1 - 2015-10-10 ### Added - Add links to tweet posts more easily in the admin - Twitter card on show pages ## v1.1.0 - 2015-10-02 ### Added - Submission of new plays - Ability for admins to validate and reject submissions - Link to the submit page in the main menu - Assets version number ### Changed - Set proper home, show and soon pages titles ## v1.0.2 - 2015-09-22 ### Added - Author display on the show page - Nice favicon ### Fixed - Make the animation takes the full container width ## v1.0.1 - 2015-09-22 ### Added - Author to plays ## v1.0.0 - 2015-09-21 ### Added - Last 5 plays on the homepage - Ability to create new plays when admin - Full paginated list of plays accessible from the homepage - Show pages with a specific URL for each play - "soon" page to be displayed when reaching the end of the list - Piwik tracking
Update the changelog for the v1.1.1 version
Update the changelog for the v1.1.1 version
Markdown
mit
rocketgif/app,rocketgif/app,rocketgif/app,rocketgif/app
--- +++ @@ -3,14 +3,17 @@ ## Unreleased ### Added -- Add links to tweet posts more easily in the admin -- Twitter card on show pages ### Changed ### Fixed ### Removed + +## v1.1.1 - 2015-10-10 +### Added +- Add links to tweet posts more easily in the admin +- Twitter card on show pages ## v1.1.0 - 2015-10-02 ### Added
d2beabe061e00d9e1b516bb256030ecc1b00c5fd
Licence.md
Licence.md
Copyright 2017 Robert Haines, University of Manchester, UK Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Copyright 2017, 2018 Robert Haines, University of Manchester, UK Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. 3. Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
Update year in licence file.
Update year in licence file.
Markdown
bsd-3-clause
hainesr/mvc-dev,hainesr/mvc-dev
--- +++ @@ -1,4 +1,4 @@ -Copyright 2017 Robert Haines, University of Manchester, UK +Copyright 2017, 2018 Robert Haines, University of Manchester, UK Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met:
dbf022534fd3155671f911ea4503d59d2aaa56d7
app/scripts/controllers/repository-detail-controller.js
app/scripts/controllers/repository-detail-controller.js
'use strict'; /** * @ngdoc function * @name docker-registry-frontend.controller:RepositoryDetailController * @description * # RepositoryController * Controller of the docker-registry-frontend */ angular.module('repository-detail-controller', ['app-mode-services']) .controller('RepositoryDetailController', ['$scope', '$route', '$routeParams', '$location', 'AppMode', function($scope, $route, $routeParams, $location, AppMode){ $scope.$route = $route; $scope.$location = $location; $scope.$routeParams = $routeParams; $scope.searchTerm = $route.current.params['searchTerm']; $scope.repositoryUser = $route.current.params['repositoryUser']; $scope.repositoryName = $route.current.params['repositoryName']; $scope.repository = $scope.repositoryUser + '/' + $scope.repositoryName; $scope.appMode = AppMode.query(); }]);
'use strict'; /** * @ngdoc function * @name docker-registry-frontend.controller:RepositoryDetailController * @description * # RepositoryDetailController * Controller of the docker-registry-frontend */ angular.module('repository-detail-controller', ['app-mode-services']) .controller('RepositoryDetailController', ['$scope', '$route', '$routeParams', '$location', 'AppMode', function($scope, $route, $routeParams, $location, AppMode){ $scope.appMode = AppMode.query(); }]);
Adjust documentation and remove unnecessary code
Adjust documentation and remove unnecessary code
JavaScript
mit
inn1983/docker-registry-frontend,cxxly/docker-registry-frontend,kwk/docker-registry-frontend,yut148/docker-registry-frontend,kwk/docker-registry-frontend,mariolameiras/docker-distribution-ui,FrontSide/docker-registry-frontend,pgrund/docker-registry-frontend,AlphaStaxLLC/docker-registry-frontend,harrisonfeng/docker-registry-frontend,inn1983/docker-registry-frontend,teonite/docker-registry-frontend,inn1983/docker-registry-frontend,yut148/docker-registry-frontend,harrisonfeng/docker-registry-frontend,cxxly/docker-registry-frontend,Filirom1/docker-registry-frontend,AlphaStaxLLC/docker-registry-frontend,AlphaStaxLLC/docker-registry-frontend,beyondthestory/docker-registry-frontend,harrisonfeng/docker-registry-frontend,FrontSide/docker-registry-frontend,mariolameiras/docker-distribution-ui,Filirom1/docker-registry-frontend,hushi55/docker-registry-frontend,goern/docker-registry-frontend,beyondthestory/docker-registry-frontend,pgrund/docker-registry-frontend,beyondthestory/docker-registry-frontend,Filirom1/docker-registry-frontend,xgin/docker-registry-frontend,parabuzzle/docker-registry-frontend,parabuzzle/docker-registry-frontend,teonite/docker-registry-frontend,mariolameiras/docker-distribution-ui,kwk/docker-registry-frontend,pgrund/docker-registry-frontend,hushi55/docker-registry-frontend,goern/docker-registry-frontend,hushi55/docker-registry-frontend,xgin/docker-registry-frontend,teonite/docker-registry-frontend,parabuzzle/docker-registry-frontend,cxxly/docker-registry-frontend,xgin/docker-registry-frontend,goern/docker-registry-frontend,FrontSide/docker-registry-frontend,yut148/docker-registry-frontend
--- +++ @@ -4,21 +4,11 @@ * @ngdoc function * @name docker-registry-frontend.controller:RepositoryDetailController * @description - * # RepositoryController + * # RepositoryDetailController * Controller of the docker-registry-frontend */ angular.module('repository-detail-controller', ['app-mode-services']) .controller('RepositoryDetailController', ['$scope', '$route', '$routeParams', '$location', 'AppMode', function($scope, $route, $routeParams, $location, AppMode){ - - $scope.$route = $route; - $scope.$location = $location; - $scope.$routeParams = $routeParams; - - $scope.searchTerm = $route.current.params['searchTerm']; - $scope.repositoryUser = $route.current.params['repositoryUser']; - $scope.repositoryName = $route.current.params['repositoryName']; - $scope.repository = $scope.repositoryUser + '/' + $scope.repositoryName; - $scope.appMode = AppMode.query(); }]);
7c41858dcbfe4da36d9ba5a570a3d8e3d8efa649
locales/ru/encrypt.properties
locales/ru/encrypt.properties
join_mozilla=Присоединиться к Mozilla update_my_info=Обновить мою информацию signup_header_variant_a=Станьте чемпионом шифрования join_the_convo=Присоединиться к обсуждению take_the_pledge=Дать обещание become_champ=Станьте чемпионом шифрования sign_now=Подписаться thank_you=Спасибо! share_this_now=Поделитесь этим сейчас fellows=Участники application_closed=Принятие заявок закрыто now_playing=Проигрывается episode_num=ЭПИЗОД {num} overview=Обзор info=Информация thanks_for_signup=Спасибо, что подписались! privacy_notice=Я согласен с тем, как Mozilla обращается с моей информацией, согласно <a href="https://www.mozilla.org/privacy/websites/" target="_blank">этой политике приватности</a>. home=Главная blog=Блог donate=Пожертвовать legal=Права privacy_policy=Политика приватности connect_twitter=Твитнуть на Твиттере contact_us=Связаться с нами video_data_title_1=Приватность даёт вам быть самими собой video_data_title_2=Встречайте шифрование video_data_title_3=Шифрование, журналистика и свобода слова video_data_title_3b=Шифрование и свобода слова video_data_title_4=Боритесь за сильное шифрование sign_up_for_email=Подпишитесь на рассылку Mozilla select_your_country=Выберите вашу страну first_name=Имя email_required=Адрес эл. почты (обязательно) share_this_page=Поделиться этой страницей
Update Russian (ru) localization of Mozilla Advocacy
Pontoon: Update Russian (ru) localization of Mozilla Advocacy Localization authors: - Victor Bychek <[email protected]>
INI
mpl-2.0
mozilla/advocacy.mozilla.org
--- +++ @@ -0,0 +1,34 @@ +join_mozilla=Присоединиться к Mozilla +update_my_info=Обновить мою информацию +signup_header_variant_a=Станьте чемпионом шифрования +join_the_convo=Присоединиться к обсуждению +take_the_pledge=Дать обещание +become_champ=Станьте чемпионом шифрования +sign_now=Подписаться +thank_you=Спасибо! +share_this_now=Поделитесь этим сейчас +fellows=Участники +application_closed=Принятие заявок закрыто +now_playing=Проигрывается +episode_num=ЭПИЗОД {num} +overview=Обзор +info=Информация +thanks_for_signup=Спасибо, что подписались! +privacy_notice=Я согласен с тем, как Mozilla обращается с моей информацией, согласно <a href="https://www.mozilla.org/privacy/websites/" target="_blank">этой политике приватности</a>. +home=Главная +blog=Блог +donate=Пожертвовать +legal=Права +privacy_policy=Политика приватности +connect_twitter=Твитнуть на Твиттере +contact_us=Связаться с нами +video_data_title_1=Приватность даёт вам быть самими собой +video_data_title_2=Встречайте шифрование +video_data_title_3=Шифрование, журналистика и свобода слова +video_data_title_3b=Шифрование и свобода слова +video_data_title_4=Боритесь за сильное шифрование +sign_up_for_email=Подпишитесь на рассылку Mozilla +select_your_country=Выберите вашу страну +first_name=Имя +email_required=Адрес эл. почты (обязательно) +share_this_page=Поделиться этой страницей
926dd6e83da4d45702f7940c55978568568deb86
appbuilder/appbuilder-bootstrap.ts
appbuilder/appbuilder-bootstrap.ts
require("../bootstrap"); $injector.require("projectConstants", "./appbuilder/project-constants"); $injector.require("projectFilesProvider", "./appbuilder/providers/project-files-provider"); $injector.require("pathFilteringService", "./appbuilder/services/path-filtering"); $injector.require("liveSyncServiceBase", "./services/livesync-service-base"); $injector.require("androidLiveSyncServiceLocator", "./appbuilder/services/livesync/android-livesync-service"); $injector.require("iosLiveSyncServiceLocator", "./appbuilder/services/livesync/ios-livesync-service"); $injector.require("deviceAppDataProvider", "./appbuilder/providers/device-app-data-provider"); $injector.requirePublic("companionAppsService", "./appbuilder/services/livesync/companion-apps-service"); $injector.require("nativeScriptProjectCapabilities", "./appbuilder/project/nativescript-project-capabilities"); $injector.require("cordovaProjectCapabilities", "./appbuilder/project/cordova-project-capabilities"); $injector.require("mobilePlatformsCapabilities", "./appbuilder/mobile-platforms-capabilities"); $injector.requirePublic("npmService", "./appbuilder/services/npm-service"); $injector.require("iOSLogFilter", "./appbuilder/mobile/ios/ios-log-filter");
require("../bootstrap"); $injector.require("projectConstants", "./appbuilder/project-constants"); $injector.require("projectFilesProvider", "./appbuilder/providers/project-files-provider"); $injector.require("pathFilteringService", "./appbuilder/services/path-filtering"); $injector.require("liveSyncServiceBase", "./services/livesync-service-base"); $injector.require("androidLiveSyncServiceLocator", "./appbuilder/services/livesync/android-livesync-service"); $injector.require("iosLiveSyncServiceLocator", "./appbuilder/services/livesync/ios-livesync-service"); $injector.require("deviceAppDataProvider", "./appbuilder/providers/device-app-data-provider"); $injector.requirePublic("companionAppsService", "./appbuilder/services/livesync/companion-apps-service"); $injector.require("nativeScriptProjectCapabilities", "./appbuilder/project/nativescript-project-capabilities"); $injector.require("cordovaProjectCapabilities", "./appbuilder/project/cordova-project-capabilities"); $injector.require("mobilePlatformsCapabilities", "./appbuilder/mobile-platforms-capabilities"); $injector.requirePublic("npmService", "./appbuilder/services/npm-service"); $injector.require("iOSLogFilter", "./mobile/ios/ios-log-filter");
Fix cannot find module ios-log-filter
Fix cannot find module ios-log-filter Change the path to ios-log-filter to point to the correct folder.
TypeScript
apache-2.0
telerik/mobile-cli-lib,telerik/mobile-cli-lib
--- +++ @@ -11,4 +11,4 @@ $injector.require("cordovaProjectCapabilities", "./appbuilder/project/cordova-project-capabilities"); $injector.require("mobilePlatformsCapabilities", "./appbuilder/mobile-platforms-capabilities"); $injector.requirePublic("npmService", "./appbuilder/services/npm-service"); -$injector.require("iOSLogFilter", "./appbuilder/mobile/ios/ios-log-filter"); +$injector.require("iOSLogFilter", "./mobile/ios/ios-log-filter");
08f8ebc8bffc055d62711ca8524fc1bfa8ec10f0
jsoo/todomvc-react/index.html
jsoo/todomvc-react/index.html
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Js_of_ocaml • TodoMVC</title> <link rel="stylesheet" href="node_modules/todomvc-common/base.css"> <link rel="stylesheet" href="node_modules/todomvc-app-css/index.css"> </head> <body> <div id="todomvc" class="todoapp"></div> <script src="js/todomvc.js"></script> </body> </html>
<!doctype html> <html lang="en"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Js_of_ocaml • TodoMVC</title> <link rel="stylesheet" href="node_modules/todomvc-common/base.css"> <link rel="stylesheet" href="node_modules/todomvc-app-css/index.css"> </head> <body> <div id="todomvc"></div> <script src="js/todomvc.js"></script> </body> </html>
Remove white background under footer
Remove white background under footer
HTML
mit
slegrand45/examples_ocsigen,slegrand45/examples_ocsigen
--- +++ @@ -8,7 +8,7 @@ <link rel="stylesheet" href="node_modules/todomvc-app-css/index.css"> </head> <body> - <div id="todomvc" class="todoapp"></div> + <div id="todomvc"></div> <script src="js/todomvc.js"></script> </body> </html>
408824bd1d4eb1c3b72129631b7f44860315cbd3
.github/workflows/build.yaml
.github/workflows/build.yaml
name: Build Aiven Client on: push: branches: - master tags: - '**' pull_request: jobs: lint: runs-on: ubuntu-latest strategy: matrix: # only use one version for the lint step python-version: [3.8] steps: - id: checkout-code uses: actions/checkout@v2 - id: prepare-python uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - id: dependencies run: | pip install requests pip install -r requirements.dev.txt - id: validate-style run: make validate-style - id: flake8 run: make flake8 - id: mypy run: make mypy - id: pyLint run: make pylint test: runs-on: ${{ matrix.os }} needs: lint strategy: matrix: python-version: ['3.7', '3.8', '3.9', '3.10', 'pypy3'] os: [ubuntu-latest, windows-latest] steps: - id: checkout-code uses: actions/checkout@v2 - id: prepare-python uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - id: dependencies run: | python -m pip install --upgrade pip pip install pytest pip install -e . pytest -vv tests/
name: Build Aiven Client on: push: branches: - master tags: - '**' pull_request: jobs: lint: runs-on: ubuntu-latest strategy: matrix: # only use one version for the lint step python-version: [3.8] steps: - id: checkout-code uses: actions/checkout@v2 - id: prepare-python uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - id: dependencies run: | pip install requests pip install -r requirements.dev.txt - id: validate-style run: make validate-style - id: flake8 run: make flake8 - id: mypy run: make mypy - id: pyLint run: make pylint test: runs-on: ${{ matrix.os }} needs: lint strategy: matrix: python-version: ['3.7', '3.8', '3.9', '3.10', 'pypy-3.7', 'pypy-3.8'] os: [ubuntu-latest, windows-latest] steps: - id: checkout-code uses: actions/checkout@v2 - id: prepare-python uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - id: dependencies run: | python -m pip install --upgrade pip pip install pytest pip install -e . pytest -vv tests/
Use pypy-3.7 and pypy-3.8 on CI
Use pypy-3.7 and pypy-3.8 on CI `pypy3` stands for Python 3.6, which was dropped recently.
YAML
apache-2.0
aiven/aiven-client
--- +++ @@ -49,7 +49,7 @@ needs: lint strategy: matrix: - python-version: ['3.7', '3.8', '3.9', '3.10', 'pypy3'] + python-version: ['3.7', '3.8', '3.9', '3.10', 'pypy-3.7', 'pypy-3.8'] os: [ubuntu-latest, windows-latest] steps:
fd50592307016358e3bac0f0097d738abc85c199
spec/requests/authorization_spec.rb
spec/requests/authorization_spec.rb
require 'rails_helper' RSpec.describe 'Authorization' do context 'with an unauthorized user' do let(:user) { FactoryBot.create(:user) } context 'when visiting a restricted page like GET /site/edit' do include_examples 'renders page not found' end end end
Add missing spec for authorization
Add missing spec for authorization
Ruby
mit
obduk/cms,obduk/cms,obduk/cms,obduk/cms
--- +++ @@ -0,0 +1,11 @@ +require 'rails_helper' + +RSpec.describe 'Authorization' do + context 'with an unauthorized user' do + let(:user) { FactoryBot.create(:user) } + + context 'when visiting a restricted page like GET /site/edit' do + include_examples 'renders page not found' + end + end +end
233c29710d2c2d5f19c56093fc145d28f24deb38
core/app/assets/javascripts/jquery_ujs_override.coffee
core/app/assets/javascripts/jquery_ujs_override.coffee
#This patches jquery_ujs, such that it grabs csrf token from localStorage #instead of from the meta tag. # Make sure that every Ajax request sends the CSRF token $.rails.CSRFProtection = (xhr) -> token = safeLocalStorage.factlink_csrf_token if token xhr.setRequestHeader('X-CSRF-Token', token) # making sure that all forms have actual up-to-date token(cached forms contain old one) $.rails.refreshCSRFTokens = -> csrfToken = safeLocalStorage.factlink_csrf_token csrfParam = safeLocalStorage.factlink_csrf_param $('form input[name="' + csrfParam + '"]').val(csrfToken);
#This patches jquery_ujs, such that it grabs csrf token from localStorage #instead of from the meta tag. updateRailsCsrfMetaTags = -> if !$('meta[name=csrf-token]').length $('<meta name="csrf-token">').appendTo(document.head) $('<meta name="csrf-param">').appendTo(document.head) $('meta[name=csrf-token]').attr('content', safeLocalStorage.factlink_csrf_token) $('meta[name=csrf-param]').attr('content', safeLocalStorage.factlink_csrf_param) updateCsrfTagsBeforeExecution = (func) -> -> updateRailsCsrfMetaTags() func.apply(@, arguments) ['refreshCSRFTokens', 'CSRFProtection', 'handleMethod'].forEach (name) -> $.rails[name] = updateCsrfTagsBeforeExecution $.rails[name]
Update meta tags instead of reimplementing ujs functionality
Update meta tags instead of reimplementing ujs functionality
CoffeeScript
mit
Factlink/factlink-core,daukantas/factlink-core,Factlink/factlink-core,daukantas/factlink-core,Factlink/factlink-core,Factlink/factlink-core,daukantas/factlink-core,daukantas/factlink-core
--- +++ @@ -1,14 +1,17 @@ #This patches jquery_ujs, such that it grabs csrf token from localStorage #instead of from the meta tag. -# Make sure that every Ajax request sends the CSRF token -$.rails.CSRFProtection = (xhr) -> - token = safeLocalStorage.factlink_csrf_token - if token - xhr.setRequestHeader('X-CSRF-Token', token) +updateRailsCsrfMetaTags = -> + if !$('meta[name=csrf-token]').length + $('<meta name="csrf-token">').appendTo(document.head) + $('<meta name="csrf-param">').appendTo(document.head) + $('meta[name=csrf-token]').attr('content', safeLocalStorage.factlink_csrf_token) + $('meta[name=csrf-param]').attr('content', safeLocalStorage.factlink_csrf_param) -# making sure that all forms have actual up-to-date token(cached forms contain old one) -$.rails.refreshCSRFTokens = -> - csrfToken = safeLocalStorage.factlink_csrf_token - csrfParam = safeLocalStorage.factlink_csrf_param - $('form input[name="' + csrfParam + '"]').val(csrfToken); +updateCsrfTagsBeforeExecution = (func) -> -> + updateRailsCsrfMetaTags() + func.apply(@, arguments) + +['refreshCSRFTokens', 'CSRFProtection', 'handleMethod'].forEach (name) -> + $.rails[name] = updateCsrfTagsBeforeExecution $.rails[name] +
a2f52c318db53d54e0a31068b935c5f2f7581513
src/webpackConfigBase.coffee
src/webpackConfigBase.coffee
webpack = require 'webpack' LANGS = ['en_gb'] module.exports = resolve: # Add automatically the following extensions to required modules extensions: ['', '.coffee', '.cjsx', '.js'] plugins: [ new webpack.ContextReplacementPlugin /moment[\\\/]locale$/, new RegExp ".[\\\/](#{LANGS.join '|'})" ] devtool: if process.env.NODE_ENV isnt 'production' then 'eval' module: loaders: [ test: /\.cjsx$/ loader: 'coffee!cjsx' , test: /\.coffee$/ loader: 'coffee' , test: /\.(otf|eot|svg|ttf|woff|woff2)(\?v=[0-9]\.[0-9]\.[0-9])?$/ loader: 'file' , test: /\.css$/ loader: 'style!css' , test: /\.sass$/ loader: 'style!css!sass?indentedSyntax' ]
webpack = require 'webpack' LANGS = ['en_gb'] module.exports = resolve: # Add automatically the following extensions to required modules extensions: ['', '.coffee', '.cjsx', '.js'] plugins: [ new webpack.ContextReplacementPlugin /moment[\\\/]locale$/, new RegExp ".[\\\/](#{LANGS.join '|'})" ] ## devtool: if process.env.NODE_ENV isnt 'production' then 'eval' module: loaders: [ test: /\.cjsx$/ loader: 'coffee!cjsx' , test: /\.coffee$/ loader: 'coffee' , test: /\.(otf|eot|svg|ttf|woff|woff2)(\?v=[0-9]\.[0-9]\.[0-9])?$/ loader: 'file' , test: /\.css$/ loader: 'style!css' , test: /\.sass$/ loader: 'style!css!sass?indentedSyntax' ]
Remove Webpack devtool configuration (not allowed for Chrome extensions)
Remove Webpack devtool configuration (not allowed for Chrome extensions)
CoffeeScript
mit
guigrpa/storyboard,guigrpa/storyboard
--- +++ @@ -11,7 +11,7 @@ new webpack.ContextReplacementPlugin /moment[\\\/]locale$/, new RegExp ".[\\\/](#{LANGS.join '|'})" ] - devtool: if process.env.NODE_ENV isnt 'production' then 'eval' + ## devtool: if process.env.NODE_ENV isnt 'production' then 'eval' module: loaders: [
ac0a77edf9238154351e36e04a99a2b5444963d9
tox.ini
tox.ini
[tox] args_are_paths = false envlist = docs, {py27,py32,py33,py34}-{1.7,1.8}, {py27,py34,py35}-{1.9,master} [testenv] basepython = py27: python2.7 py32: python3.2 py33: python3.3 py34: python3.4 py35: python3.5 usedevelop = true pip_pre = true commands = invoke test {posargs} deps = 1.7: Django>=1.7,<1.8 1.8: Django>=1.8,<1.9 1.9: Django==1.9rc2 master: https://github.com/django/django/archive/master.tar.gz -r{toxinidir}/tests/requirements.txt [testenv:docs] deps = Sphinx>=1.3 -r{toxinidir}/docs/requirements.txt basepython = python2.7 commands = sphinx-build -W -b html -d {envtmpdir}/doctrees docs docs/_build/html
[tox] args_are_paths = false envlist = docs, {py27,py32,py33,py34}-{1.7,1.8}, {py27,py34,py35}-{1.9,master} [testenv] basepython = py27: python2.7 py32: python3.2 py33: python3.3 py34: python3.4 py35: python3.5 usedevelop = true pip_pre = true commands = invoke test {posargs} deps = 1.7: Django>=1.7,<1.8 1.8: Django>=1.8,<1.9 1.9: Django>=1.9,<1.10 master: https://github.com/django/django/archive/master.tar.gz -r{toxinidir}/tests/requirements.txt [testenv:docs] deps = Sphinx>=1.3 -r{toxinidir}/docs/requirements.txt basepython = python2.7 commands = sphinx-build -W -b html -d {envtmpdir}/doctrees docs docs/_build/html
Use Django 1.9 (release) in tests.
Use Django 1.9 (release) in tests.
INI
bsd-3-clause
rsalmaso/django-localflavor,django/django-localflavor,jieter/django-localflavor,agustin380/django-localflavor,thor/django-localflavor,maisim/django-localflavor,infoxchange/django-localflavor
--- +++ @@ -19,7 +19,7 @@ deps = 1.7: Django>=1.7,<1.8 1.8: Django>=1.8,<1.9 - 1.9: Django==1.9rc2 + 1.9: Django>=1.9,<1.10 master: https://github.com/django/django/archive/master.tar.gz -r{toxinidir}/tests/requirements.txt
ca2ccc379bab731e9d1659f3d77961ebb1058829
test/Transforms/Internalize/stackguard.ll
test/Transforms/Internalize/stackguard.ll
; __stack_chk_guard and __stack_chk_fail should not be internalized. ; RUN: opt < %s -internalize -S | FileCheck %s ; RUN: opt < %s -passes=internalize -S | FileCheck %s ; CHECK: @__stack_chk_guard = hidden global [8 x i64] zeroinitializer, align 16 @__stack_chk_guard = hidden global [8 x i64] zeroinitializer, align 16 ; CHECK: @__stack_chk_fail = hidden global [8 x i64] zeroinitializer, align 16 @__stack_chk_fail = hidden global [8 x i64] zeroinitializer, align 16
Test that __stack_chk_{guard, fail} are not internalized.
[Internalize] Test that __stack_chk_{guard, fail} are not internalized. r154645 introduced this feature without test. This should have better coverage now. git-svn-id: 0ff597fd157e6f4fc38580e8d64ab130330d2411@271853 91177308-0d34-0410-b5e6-96231b3b80d8
LLVM
apache-2.0
llvm-mirror/llvm,llvm-mirror/llvm,llvm-mirror/llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,llvm-mirror/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,apple/swift-llvm,llvm-mirror/llvm,apple/swift-llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,GPUOpen-Drivers/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,llvm-mirror/llvm,apple/swift-llvm,GPUOpen-Drivers/llvm,llvm-mirror/llvm,GPUOpen-Drivers/llvm
--- +++ @@ -0,0 +1,9 @@ +; __stack_chk_guard and __stack_chk_fail should not be internalized. +; RUN: opt < %s -internalize -S | FileCheck %s +; RUN: opt < %s -passes=internalize -S | FileCheck %s + +; CHECK: @__stack_chk_guard = hidden global [8 x i64] zeroinitializer, align 16 +@__stack_chk_guard = hidden global [8 x i64] zeroinitializer, align 16 + +; CHECK: @__stack_chk_fail = hidden global [8 x i64] zeroinitializer, align 16 +@__stack_chk_fail = hidden global [8 x i64] zeroinitializer, align 16
ae84ebfe30d7ec5607e6d734e5416d6e4a0e94f4
centos-6.4-x86_64/Readme.md
centos-6.4-x86_64/Readme.md
# CentOS 6 x86_64 Installes the current CentOS 6 64bit plus: * ruby-install and chruby * ruby 1.9.3-p429 as "system-ruby" in "/usr" so it is available for root (chef and co.) * chef-solo 11.6.x (via rubygems) * VMwareTools (if build as such, uses local iso file which must be present) * VirtualBoxGuestAddition (if build as such, uses local iso file which must be present)
# CentOS 6 x86_64 Installes the current CentOS 6 64bit plus: * ruby-install and chruby * ruby 1.9.3-p429 and bundler for "vagrant" (in user-space) * chef-solo 11.6.x (via omnibus) * VMwareTools (if build as such, uses local iso file which must be present) * VirtualBoxGuestAddition (if build as such, uses local iso file which must be present)
Fix centos-readme to reflect correct ruby installations
Fix centos-readme to reflect correct ruby installations
Markdown
mpl-2.0
dotless-de/packer-templates
--- +++ @@ -3,7 +3,7 @@ Installes the current CentOS 6 64bit plus: * ruby-install and chruby -* ruby 1.9.3-p429 as "system-ruby" in "/usr" so it is available for root (chef and co.) -* chef-solo 11.6.x (via rubygems) +* ruby 1.9.3-p429 and bundler for "vagrant" (in user-space) +* chef-solo 11.6.x (via omnibus) * VMwareTools (if build as such, uses local iso file which must be present) * VirtualBoxGuestAddition (if build as such, uses local iso file which must be present)
e4836389c9e158cb7fbe3112106def5c1a8be344
requirements/local.txt
requirements/local.txt
-r ./base.txt Sphinx==2.0.1 # https://github.com/sphinx-doc/sphinx psycopg2-binary==2.8.2 # https://github.com/psycopg/psycopg2 # Testing # ------------------------------------------------------------------------------ mypy==0.670 # https://github.com/python/mypy pytest==4.5.0 # https://github.com/pytest-dev/pytest pytest-sugar==0.9.2 # https://github.com/Frozenball/pytest-sugar # Code quality # ------------------------------------------------------------------------------ flake8==3.7.7 # https://github.com/PyCQA/flake8 coverage==4.5.3 # https://github.com/nedbat/coveragepy pydocstyle==3.0.0 # Django # ------------------------------------------------------------------------------ factory-boy==2.12.0 # https://github.com/FactoryBoy/factory_boy django-debug-toolbar==1.11 # https://github.com/jazzband/django-debug-toolbar django-extensions==2.1.6 # https://github.com/django-extensions/django-extensions django-coverage-plugin==1.6.0 # https://github.com/nedbat/django_coverage_plugin pytest-django==3.4.8 # https://github.com/pytest-dev/pytest-django
-r ./base.txt Sphinx==2.1.2 # https://github.com/sphinx-doc/sphinx psycopg2-binary==2.8.2 # https://github.com/psycopg/psycopg2 # Testing # ------------------------------------------------------------------------------ mypy==0.670 # https://github.com/python/mypy pytest==4.5.0 # https://github.com/pytest-dev/pytest pytest-sugar==0.9.2 # https://github.com/Frozenball/pytest-sugar # Code quality # ------------------------------------------------------------------------------ flake8==3.7.7 # https://github.com/PyCQA/flake8 coverage==4.5.3 # https://github.com/nedbat/coveragepy pydocstyle==3.0.0 # Django # ------------------------------------------------------------------------------ factory-boy==2.12.0 # https://github.com/FactoryBoy/factory_boy django-debug-toolbar==1.11 # https://github.com/jazzband/django-debug-toolbar django-extensions==2.1.6 # https://github.com/django-extensions/django-extensions django-coverage-plugin==1.6.0 # https://github.com/nedbat/django_coverage_plugin pytest-django==3.4.8 # https://github.com/pytest-dev/pytest-django
Update sphinx from 2.0.1 to 2.1.2
Update sphinx from 2.0.1 to 2.1.2
Text
mit
uccser/cs4teachers,uccser/cs4teachers,uccser/cs4teachers,uccser/cs4teachers
--- +++ @@ -1,6 +1,6 @@ -r ./base.txt -Sphinx==2.0.1 # https://github.com/sphinx-doc/sphinx +Sphinx==2.1.2 # https://github.com/sphinx-doc/sphinx psycopg2-binary==2.8.2 # https://github.com/psycopg/psycopg2 # Testing
2e477cb74a7d6daa9b99eb327607dcf54785ed41
.travis.yml
.travis.yml
language: php php: - 5.6 - 7.0 - 7.1 - 7.2 - nightly matrix: allow_failures: - php: nightly before_script: - composer self-update - travis_retry composer install --prefer-source --no-interaction --dev script: - composer test after_success: - bash <(curl -s https://codecov.io/bash)
language: php php: - 7.2 - nightly matrix: allow_failures: - php: nightly before_script: - composer self-update - travis_retry composer install --prefer-source --no-interaction --dev script: - composer test after_success: - bash <(curl -s https://codecov.io/bash)
Drop PHP versions older than 7.2 from CI matrix
Drop PHP versions older than 7.2 from CI matrix
YAML
mit
Ayesh/case-insensitive-array
--- +++ @@ -1,8 +1,5 @@ language: php php: - - 5.6 - - 7.0 - - 7.1 - 7.2 - nightly matrix:
b88a0992e36c00db37eba823931f9b0fdcf385db
etc/build-helper/project.clj
etc/build-helper/project.clj
;; Copyright 2014 Red Hat, Inc, and individual contributors. ;; ;; Licensed under the Apache License, Version 2.0 (the "License"); ;; you may not use this file except in compliance with the License. ;; You may obtain a copy of the License at ;; ;; http://www.apache.org/licenses/LICENSE-2.0 ;; ;; Unless required by applicable law or agreed to in writing, software ;; distributed under the License is distributed on an "AS IS" BASIS, ;; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ;; See the License for the specific language governing permissions and ;; limitations under the License. ;; *** NOTE: update the version in docs.clj when you change it here *** (defproject org.immutant/build-helper "0.1.6" :description "A plugin to aid in building Immutant" :url "https://github.com/immutant/immutant" :license {:name "Apache Software License - v 2.0" :url "http://www.apache.org/licenses/LICENSE-2.0" :distribution :repo} :dependencies [[org.clojars.tcrawley/codox.core "0.8.0a"] ;;[codox/codox.core "0.8.0"] [org.clojars.tcrawley/markdown-clj "0.9.43a"] ;;[markdown-clj "0.9.43"] ] :eval-in-leiningen true :signing {:gpg-key "BFC757F9"})
;; Copyright 2014 Red Hat, Inc, and individual contributors. ;; ;; Licensed under the Apache License, Version 2.0 (the "License"); ;; you may not use this file except in compliance with the License. ;; You may obtain a copy of the License at ;; ;; http://www.apache.org/licenses/LICENSE-2.0 ;; ;; Unless required by applicable law or agreed to in writing, software ;; distributed under the License is distributed on an "AS IS" BASIS, ;; WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ;; See the License for the specific language governing permissions and ;; limitations under the License. ;; *** NOTE: update the version in docs.clj when you change it here *** (defproject org.immutant/build-helper "0.1.6" :description "A plugin to aid in building Immutant" :url "https://github.com/immutant/immutant" :license {:name "Apache Software License - v 2.0" :url "http://www.apache.org/licenses/LICENSE-2.0" :distribution :repo} :dependencies [[org.clojars.tcrawley/codox.core "0.8.0a"] ;;[codox/codox.core "0.8.0"] [markdown-clj "0.9.44"]] :eval-in-leiningen true :signing {:gpg-key "BFC757F9"})
Switch to the canonical markdown-clj.
Switch to the canonical markdown-clj.
Clojure
apache-2.0
coopsource/immutant,immutant/immutant,kbaribeau/immutant,coopsource/immutant,kbaribeau/immutant,immutant/immutant,immutant/immutant,kbaribeau/immutant,immutant/immutant,coopsource/immutant
--- +++ @@ -21,8 +21,6 @@ :distribution :repo} :dependencies [[org.clojars.tcrawley/codox.core "0.8.0a"] ;;[codox/codox.core "0.8.0"] - [org.clojars.tcrawley/markdown-clj "0.9.43a"] - ;;[markdown-clj "0.9.43"] - ] + [markdown-clj "0.9.44"]] :eval-in-leiningen true :signing {:gpg-key "BFC757F9"})
bae2a92def8371b317f9f22010b562bc2cb2d579
openfisca_tunisia/parameters/impot_revenu/deductions/fam/infirme.yaml
openfisca_tunisia/parameters/impot_revenu/deductions/fam/infirme.yaml
description: Enfant infirme # TODO dates unit: currency values: 1990-01-01: value: 500 2004-01-01: value: 600 2005-01-01: value: 750 reference: Article 50 de la loi no 2004-90 du 31-12-2004 portant Loi de finances 2005 2010-01-01: value: 1000 reference: Article 40 de la loi no 2009-71 du 21-12-2004 portant Loi de finances 2010 2014-01-01: value: 1200 2018-01-01: value: 2000 reference: Article 40.III de la loi no 2017-?? du ??-12-2004 portant Loi de finances 2018
description: Enfant infirme # TODO dates unit: currency values: 1990-01-01: value: 500 2004-01-01: value: 600 2005-01-01: value: 750 reference: Article 50 de la loi no 2004-90 du 31-12-2004 portant Loi de finances 2005 2010-01-01: value: 1000 reference: Article 40 de la loi no 2009-71 du 21-12-2009 portant Loi de finances 2010 2014-01-01: value: 1200 2018-01-01: value: 2000 reference: Article 40.III de la loi no 2017-?? du ??-12-2017 portant Loi de finances 2018
Fix wrong dates in reference
Fix wrong dates in reference
YAML
agpl-3.0
openfisca/openfisca-tunisia,openfisca/openfisca-tunisia
--- +++ @@ -11,9 +11,9 @@ reference: Article 50 de la loi no 2004-90 du 31-12-2004 portant Loi de finances 2005 2010-01-01: value: 1000 - reference: Article 40 de la loi no 2009-71 du 21-12-2004 portant Loi de finances 2010 + reference: Article 40 de la loi no 2009-71 du 21-12-2009 portant Loi de finances 2010 2014-01-01: value: 1200 2018-01-01: value: 2000 - reference: Article 40.III de la loi no 2017-?? du ??-12-2004 portant Loi de finances 2018 + reference: Article 40.III de la loi no 2017-?? du ??-12-2017 portant Loi de finances 2018
cdc3da6b4139cf607cd07e70f619612161189b53
cairis/config/sizes.json
cairis/config/sizes.json
{ "AssetParameters" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 1000, "theSignificance" : 1000 }, "Asset" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 1000, "theSignificance" : 1000 }, "EnvironmentParameters" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 4000 }, "Environment" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 4000 }, "DomainPropertyParameters" : { "theName" : 255, "theOriginator" : 20, "theDescription" : 4000 }, "DomainProperty" : { "theName" : 255, "theOriginator" : 20, "theDescription" : 4000 } }
{ "AssetParameters" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 1000, "theSignificance" : 1000 }, "Asset" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 1000, "theSignificance" : 1000 }, "EnvironmentParameters" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 4000 }, "Environment" : { "theName" : 50, "theShortCode" : 20, "theDescription" : 4000 }, "DomainPropertyParameters" : { "theName" : 255, "theOriginator" : 100, "theDescription" : 4000 }, "DomainProperty" : { "theName" : 255, "theOriginator" : 100, "theDescription" : 4000 } }
Correct originator attribute size for domain properties
Correct originator attribute size for domain properties
JSON
apache-2.0
nathanbjenx/cairis,nathanbjenx/cairis,nathanbjenx/cairis,failys/CAIRIS,failys/CAIRIS,failys/CAIRIS,nathanbjenx/cairis
--- +++ @@ -23,12 +23,12 @@ }, "DomainPropertyParameters" : { "theName" : 255, - "theOriginator" : 20, + "theOriginator" : 100, "theDescription" : 4000 }, "DomainProperty" : { "theName" : 255, - "theOriginator" : 20, + "theOriginator" : 100, "theDescription" : 4000 } }
3dbb61d9af82700c2936f5f469334a82746384ca
.pre-commit-config.yaml
.pre-commit-config.yaml
repos: - repo: https://github.com/pre-commit/pre-commit-hooks rev: v1.4.0 hooks: - id: trailing-whitespace - id: end-of-file-fixer - id: autopep8-wrapper - id: check-docstring-first - id: check-json - id: check-yaml - id: debug-statements - id: name-tests-test - id: requirements-txt-fixer - id: flake8 - repo: https://github.com/pre-commit/pre-commit rev: v1.10.5 hooks: - id: validate_manifest - repo: https://github.com/asottile/reorder_python_imports rev: v1.1.0 hooks: - id: reorder-python-imports language_version: python2.7 - repo: https://github.com/asottile/add-trailing-comma rev: v0.6.4 hooks: - id: add-trailing-comma - repo: meta hooks: - id: check-hooks-apply - id: check-useless-excludes
repos: - repo: https://github.com/pre-commit/pre-commit-hooks rev: v2.0.0 hooks: - id: trailing-whitespace - id: end-of-file-fixer - id: check-docstring-first - id: check-json - id: check-yaml - id: debug-statements - id: name-tests-test - id: requirements-txt-fixer - id: flake8 - repo: https://github.com/pre-commit/mirrors-autopep8 rev: v1.4 hooks: - id: autopep8 - repo: https://github.com/pre-commit/pre-commit rev: v1.11.2 hooks: - id: validate_manifest - repo: https://github.com/asottile/reorder_python_imports rev: v1.3.0 hooks: - id: reorder-python-imports language_version: python2.7 - repo: https://github.com/asottile/add-trailing-comma rev: v0.7.1 hooks: - id: add-trailing-comma - repo: meta hooks: - id: check-hooks-apply - id: check-useless-excludes
Migrate from autopep8-wrapper to mirrors-autopep8
Migrate from autopep8-wrapper to mirrors-autopep8 Committed via https://github.com/asottile/all-repos
YAML
mit
pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit,pre-commit/pre-commit
--- +++ @@ -1,10 +1,9 @@ repos: - repo: https://github.com/pre-commit/pre-commit-hooks - rev: v1.4.0 + rev: v2.0.0 hooks: - id: trailing-whitespace - id: end-of-file-fixer - - id: autopep8-wrapper - id: check-docstring-first - id: check-json - id: check-yaml @@ -12,17 +11,21 @@ - id: name-tests-test - id: requirements-txt-fixer - id: flake8 +- repo: https://github.com/pre-commit/mirrors-autopep8 + rev: v1.4 + hooks: + - id: autopep8 - repo: https://github.com/pre-commit/pre-commit - rev: v1.10.5 + rev: v1.11.2 hooks: - id: validate_manifest - repo: https://github.com/asottile/reorder_python_imports - rev: v1.1.0 + rev: v1.3.0 hooks: - id: reorder-python-imports language_version: python2.7 - repo: https://github.com/asottile/add-trailing-comma - rev: v0.6.4 + rev: v0.7.1 hooks: - id: add-trailing-comma - repo: meta
a97711be44b2c13af2cf728aa173774f6070f3c5
bin/pipeline.ts
bin/pipeline.ts
import 'source-map-support/register'; import * as cdk from '@aws-cdk/core'; import { AppStack } from '../lib/app-stack'; import { SetupStack } from '../lib/setup-stack' const app = new cdk.App(); const region = "us-west-1"; const account = '084374970894'; new SetupStack(app, "ApiTestToolSetupStack", { env: { account: account, region: region } }); const appStack = new AppStack(app, "ApiTestToolAppStack", { env: { account: account, region: region } }); console.log("LoadBalancer" + appStack.urlOutput); app.synth();
import * as cdk from '@aws-cdk/core'; import { AppStack } from '../lib/app-stack'; import { SetupStack } from '../lib/setup-stack' const app = new cdk.App(); new SetupStack(app, "ApiTestToolSetupStack", { env: { account: process.env.CDK_DEFAULT_ACCOUNT, region: process.env.CDK_DEFAULT_REGION } }); const appStack = new AppStack(app, "ApiTestToolAppStack", { env: { account: process.env.CDK_DEFAULT_ACCOUNT, region: process.env.CDK_DEFAULT_REGION } }); console.log("LoadBalancer" + appStack.urlOutput); app.synth();
Remove region and account information.
Remove region and account information.
TypeScript
apache-2.0
Brightspace/util-api-test-tool,Brightspace/util-api-test-tool,Brightspace/util-api-test-tool
--- +++ @@ -1,23 +1,20 @@ -import 'source-map-support/register'; import * as cdk from '@aws-cdk/core'; import { AppStack } from '../lib/app-stack'; import { SetupStack } from '../lib/setup-stack' const app = new cdk.App(); -const region = "us-west-1"; -const account = '084374970894'; new SetupStack(app, "ApiTestToolSetupStack", { env: { - account: account, - region: region + account: process.env.CDK_DEFAULT_ACCOUNT, + region: process.env.CDK_DEFAULT_REGION } }); const appStack = new AppStack(app, "ApiTestToolAppStack", { env: { - account: account, - region: region + account: process.env.CDK_DEFAULT_ACCOUNT, + region: process.env.CDK_DEFAULT_REGION } });
c00a6a3112e432fa4fc4ff12e44ff1fa9ac5c7bf
Casks/font-geo-sans-light.rb
Casks/font-geo-sans-light.rb
class FontGeoSansLight < Cask url 'http://img.dafont.com/dl/?f=geo_sans_light' homepage 'http://www.dafont.com/geo-sans-light.font' version 'latest' sha1 'no_checksum' font 'GeosansLight-Oblique.ttf' font 'GeosansLight.ttf' end
Create cask for Geo Sans Light font
Create cask for Geo Sans Light font
Ruby
bsd-2-clause
ahbeng/homebrew-fonts,zorosteven/homebrew-fonts,mtakayuki/homebrew-fonts,bkudria/homebrew-fonts,kostasdizas/homebrew-fonts,herblover/homebrew-fonts,guerrero/homebrew-fonts,ahbeng/homebrew-fonts,psibre/homebrew-fonts,caskroom/homebrew-fonts,caskroom/homebrew-fonts,unasuke/homebrew-fonts,victorpopkov/homebrew-fonts,andrewsardone/homebrew-fonts,rstacruz/homebrew-fonts,sscotth/homebrew-fonts,RJHsiao/homebrew-fonts,zorosteven/homebrew-fonts,bkudria/homebrew-fonts,psibre/homebrew-fonts,joeyhoer/homebrew-fonts,sscotth/homebrew-fonts,herblover/homebrew-fonts,scw/homebrew-fonts,andrewsardone/homebrew-fonts,kkung/homebrew-fonts,alerque/homebrew-fonts,mtakayuki/homebrew-fonts,elmariofredo/homebrew-fonts,victorpopkov/homebrew-fonts,kostasdizas/homebrew-fonts,guerrero/homebrew-fonts,elmariofredo/homebrew-fonts,rstacruz/homebrew-fonts,joeyhoer/homebrew-fonts,alerque/homebrew-fonts,RJHsiao/homebrew-fonts,kkung/homebrew-fonts,scw/homebrew-fonts
--- +++ @@ -0,0 +1,8 @@ +class FontGeoSansLight < Cask + url 'http://img.dafont.com/dl/?f=geo_sans_light' + homepage 'http://www.dafont.com/geo-sans-light.font' + version 'latest' + sha1 'no_checksum' + font 'GeosansLight-Oblique.ttf' + font 'GeosansLight.ttf' +end
a74368975ef661de454a9fc4111bc4f9c5a15e9a
test/module.mk
test/module.mk
$(call assert-variable,iso.path) /:=$(BUILD_DIR)/test/ $/%: /:=$/ test: test-integration clean: $/clean-integration-test-cache-file .PHONY: $/clean-integration-test-cache-file $/clean-integration-test-environment: test -f $/environment-id && \ python test/integration.py -l INFO --cache-file $(abspath $/environment-id) destroy .PHONY: test-integration test-integration: $/environment-id python test/integration.py -l INFO --cache-file $(abspath $<) --iso $(abspath $(iso.path)) test $/environment-id: | $(iso.path) @mkdir -p $(@D) python test/integration.py -l INFO --cache-file $(abspath $@) destroy python test/integration.py -l INFO --cache-file $(abspath $@) --iso $(abspath $(iso.path)) setup ifdef FORCE_INTEGRATION_ENVIRONMENT $/environment-id: FORCE endif
$(call assert-variable,iso.path) /:=$(BUILD_DIR)/test/ $/%: /:=$/ test: test-integration clean: $/clean-integration-test-cache-file .PHONY: $/clean-integration-test-cache-file $/clean-integration-test-environment: test -f $/environment-id.candidate && \ python test/integration.py -l INFO --cache-file $(abspath $/environment-id.candidate) destroy test -f $/environment-id && \ python test/integration.py -l INFO --cache-file $(abspath $/environment-id) destroy .PHONY: test-integration test-integration: $/environment-id python test/integration.py -l INFO --cache-file $(abspath $<) --iso $(abspath $(iso.path)) test $/environment-id: | $(iso.path) @mkdir -p $(@D) python test/integration.py -l INFO --cache-file $(abspath $@) destroy python test/integration.py -l INFO --cache-file $(abspath $@) --iso $(abspath $(iso.path)) setup ifdef FORCE_INTEGRATION_ENVIRONMENT $/environment-id: FORCE endif
Fix clean to remove broken environments also
[test] Fix clean to remove broken environments also
Makefile
apache-2.0
eayunstack/fuel-web,ddepaoli3/fuel-main-dev,teselkin/fuel-main,eayunstack/fuel-web,eayunstack/fuel-main,Fiware/ops.Fuel-main-dev,stackforge/fuel-web,eayunstack/fuel-main,prmtl/fuel-web,nebril/fuel-web,koder-ua/nailgun-fcert,stackforge/fuel-web,nebril/fuel-web,huntxu/fuel-main,prmtl/fuel-web,dancn/fuel-main-dev,AnselZhangGit/fuel-main,Fiware/ops.Fuel-main-dev,Fiware/ops.Fuel-main-dev,zhaochao/fuel-web,eayunstack/fuel-web,SergK/fuel-main,SmartInfrastructures/fuel-web-dev,SmartInfrastructures/fuel-main-dev,zhaochao/fuel-main,teselkin/fuel-main,eayunstack/fuel-main,zhaochao/fuel-web,SmartInfrastructures/fuel-web-dev,ddepaoli3/fuel-main-dev,SmartInfrastructures/fuel-web-dev,huntxu/fuel-web,AnselZhangGit/fuel-main,teselkin/fuel-main,prmtl/fuel-web,SmartInfrastructures/fuel-main-dev,SergK/fuel-main,eayunstack/fuel-web,SmartInfrastructures/fuel-main-dev,zhaochao/fuel-main,zhaochao/fuel-main,ddepaoli3/fuel-main-dev,dancn/fuel-main-dev,nebril/fuel-web,dancn/fuel-main-dev,nebril/fuel-web,SmartInfrastructures/fuel-web-dev,stackforge/fuel-main,koder-ua/nailgun-fcert,dancn/fuel-main-dev,zhaochao/fuel-main,AnselZhangGit/fuel-main,zhaochao/fuel-web,prmtl/fuel-web,stackforge/fuel-main,zhaochao/fuel-web,AnselZhangGit/fuel-main,huntxu/fuel-main,teselkin/fuel-main,huntxu/fuel-web,koder-ua/nailgun-fcert,stackforge/fuel-main,Fiware/ops.Fuel-main-dev,huntxu/fuel-web,koder-ua/nailgun-fcert,SmartInfrastructures/fuel-web-dev,SmartInfrastructures/fuel-main-dev,ddepaoli3/fuel-main-dev,SergK/fuel-main,huntxu/fuel-web,huntxu/fuel-main,nebril/fuel-web,eayunstack/fuel-web,zhaochao/fuel-web,stackforge/fuel-web,prmtl/fuel-web,huntxu/fuel-web,zhaochao/fuel-main
--- +++ @@ -13,6 +13,8 @@ .PHONY: $/clean-integration-test-cache-file $/clean-integration-test-environment: + test -f $/environment-id.candidate && \ + python test/integration.py -l INFO --cache-file $(abspath $/environment-id.candidate) destroy test -f $/environment-id && \ python test/integration.py -l INFO --cache-file $(abspath $/environment-id) destroy
4ff53333659f1537d3d3e6112e3570478aa71104
app/assets/stylesheets/goals.scss
app/assets/stylesheets/goals.scss
// Place all the styles related to the Goals controller here. // They will automatically be included in application.css. // You can use Sass (SCSS) here: http://sass-lang.com/
// Place all the styles related to the Goals controller here. // They will automatically be included in application.css. // You can use Sass (SCSS) here: http://sass-lang.com/ label.active { font-size: 150%; } .new_goal { font-size: 100%; }
Change font size on form
Change font size on form
SCSS
mit
AliasHendrickson/progress,AliasHendrickson/progress,AliasHendrickson/progress
--- +++ @@ -1,3 +1,12 @@ // Place all the styles related to the Goals controller here. // They will automatically be included in application.css. // You can use Sass (SCSS) here: http://sass-lang.com/ + +label.active { + font-size: 150%; +} + +.new_goal { + font-size: 100%; +} +
cce8bf4e6bae95518132fd7d46cc420ca430dcf6
.travis.yml
.travis.yml
language: node_js node_js: - "11" cache: npm: true directories: - ~/.cache addons: postgresql: "9.6" before_script: - cp .env.travis api/.env && cp .env.travis map/.env - cd api && yarn test:init && cd .. before_install: - curl -o- -L https://yarnpkg.com/install.sh | bash -s -- --version 1.9.2 - export PATH="$HOME/.yarn/bin:$PATH" jobs: include: - stage: test name: "API" script: cd api && yarn test - name: "Schemas" script: cd schemas && yarn test - name: "Map" script: cd map && yarn test - name: "Admin" script: cd admin && yarn test # - stage: integration # name: "Integration Tests" # script: yarn cypress:ci - stage: deployment name: "Staging Deployment" script: - export BRANCH=$(if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then echo $TRAVIS_BRANCH; else echo $TRAVIS_PULL_REQUEST_BRANCH; fi) - echo build is on branch $BRANCH - if [ "$BRANCH" != "master" ] ; then echo "branch is not master, not deploying" ; exit 0 ; fi - echo 'deployment' notifications: slack: ernteteilen:0QwBhQegAchwMOPjhLdqwtNm
language: node_js node_js: - "12" cache: npm: true directories: - ~/.cache addons: postgresql: "9.6" before_script: - cp .env.travis api/.env && cp .env.travis map/.env - cd api && yarn test:init && cd .. before_install: - curl -o- -L https://yarnpkg.com/install.sh | bash -s -- --version 1.9.2 - export PATH="$HOME/.yarn/bin:$PATH" jobs: include: - stage: test name: "API" script: cd api && yarn test - name: "Schemas" script: cd schemas && yarn test - name: "Map" script: cd map && yarn test - name: "Admin" script: cd admin && yarn test # - stage: integration # name: "Integration Tests" # script: yarn cypress:ci - stage: deployment name: "Staging Deployment" script: - export BRANCH=$(if [ "$TRAVIS_PULL_REQUEST" == "false" ]; then echo $TRAVIS_BRANCH; else echo $TRAVIS_PULL_REQUEST_BRANCH; fi) - echo build is on branch $BRANCH - if [ "$BRANCH" != "master" ] ; then echo "branch is not master, not deploying" ; exit 0 ; fi - echo 'deployment' notifications: slack: ernteteilen:0QwBhQegAchwMOPjhLdqwtNm
Use node 12 in Travis CI
Chore: Use node 12 in Travis CI
YAML
agpl-3.0
teikei/teikei,teikei/teikei,teikei/teikei
--- +++ @@ -1,6 +1,6 @@ language: node_js node_js: - - "11" + - "12" cache: npm: true directories:
422a960cad378dad571503e6f191d73ee9a6c5d8
SETUP.md
SETUP.md
Deploying a schema change ========================= Log into EC2 instance in security group w/ access to the database (e.g. an API instance) sudo apt-get install postgresql-client sudo apt-get install git sudo apt-get install ruby git clone git://github.com/gilt/schema-evolution-manager.git cd schema-evolution-manager git checkout 0.9.12 ruby ./configure.rb sudo ruby ./install.rb
Deploying a schema change ========================= Log into EC2 instance in security group w/ access to the database (e.g. an API instance) sudo apt-get install postgresql-client sudo apt-get install git sudo apt-get install ruby git clone git://github.com/gilt/schema-evolution-manager.git cd schema-evolution-manager git checkout 0.9.12 ruby ./configure.rb sudo ruby ./install.rb echo "apidoc2.cqe9ob8rnh0u.us-east-1.rds.amazonaws.com:5432:apidoc:web:PASSWORD" > ~/.pgass chmod 0600 ~/.pgpass sem-apply --host apidoc2.cqe9ob8rnh0u.us-east-1.rds.amazonaws.com --name apidoc --user web
Update setup for db configuration
Update setup for db configuration
Markdown
mit
gheine/apidoc,Seanstoppable/apidoc,movio/apidoc,apicollective/apibuilder,movio/apidoc,mbryzek/apidoc,movio/apidoc,apicollective/apibuilder,mbryzek/apidoc,gheine/apidoc,apicollective/apibuilder,mbryzek/apidoc,gheine/apidoc,Seanstoppable/apidoc,Seanstoppable/apidoc
--- +++ @@ -11,4 +11,9 @@ cd schema-evolution-manager git checkout 0.9.12 ruby ./configure.rb - sudo ruby ./install.rb+ sudo ruby ./install.rb + + echo "apidoc2.cqe9ob8rnh0u.us-east-1.rds.amazonaws.com:5432:apidoc:web:PASSWORD" > ~/.pgass + chmod 0600 ~/.pgpass + + sem-apply --host apidoc2.cqe9ob8rnh0u.us-east-1.rds.amazonaws.com --name apidoc --user web
3b10811e61ed71ec331dd606b0234c7cb934f2bb
samples/HelloWorld/Startup.cs
samples/HelloWorld/Startup.cs
using ExplicitlyImpl.AspNetCore.Mvc.FluentActions; using Microsoft.AspNetCore.Builder; using Microsoft.Extensions.DependencyInjection; namespace HelloWorld { public class Startup { public void ConfigureServices(IServiceCollection services) { services.AddMvc().AddFluentActions(); } public void Configure(IApplicationBuilder app) { app.UseFluentActions(actions => { actions.RouteGet("/").To(() => "Hello World!"); }); app.UseMvc(); } } }
using ExplicitlyImpl.AspNetCore.Mvc.FluentActions; using Microsoft.AspNetCore.Builder; using Microsoft.AspNetCore.Mvc; using Microsoft.Extensions.DependencyInjection; namespace HelloWorld { public class Startup { public void ConfigureServices(IServiceCollection services) { services .AddMvc() .AddFluentActions() .SetCompatibilityVersion(CompatibilityVersion.Version_2_2); } public void Configure(IApplicationBuilder app) { app.UseFluentActions(actions => { actions.RouteGet("/").To(() => "Hello World!"); }); app.UseMvc(); } } }
Set compatibility version to 2.2 in hello world sample project
Set compatibility version to 2.2 in hello world sample project
C#
mit
ExplicitlyImplicit/AspNetCore.Mvc.FluentActions,ExplicitlyImplicit/AspNetCore.Mvc.FluentActions
--- +++ @@ -1,5 +1,6 @@ using ExplicitlyImpl.AspNetCore.Mvc.FluentActions; using Microsoft.AspNetCore.Builder; +using Microsoft.AspNetCore.Mvc; using Microsoft.Extensions.DependencyInjection; namespace HelloWorld @@ -8,7 +9,10 @@ { public void ConfigureServices(IServiceCollection services) { - services.AddMvc().AddFluentActions(); + services + .AddMvc() + .AddFluentActions() + .SetCompatibilityVersion(CompatibilityVersion.Version_2_2); } public void Configure(IApplicationBuilder app)
41c9a6a691e73d9bdf994095bb72a3cd46eb4bb8
src/e2e/security/security.e2e.js
src/e2e/security/security.e2e.js
var helpers = require("../helpers") describe('Security', function() { it("Initializes a (hopefully secret) cookie and navigates to the security test page", function(){ browser.ignoreSynchronization = true; browser.get("http://localhost:9855/init") helpers.waitForEl("#confirm-cookie") browser.get("http://localhost:9856/src/e2e/security/security.html#auto-activate-fromjs") // browser.pause(); return browser.driver.wait(function(){ return browser.executeScript(function(){ console.log("Waiting fo f__StringLiteral") return window.f__StringLiteral !== undefined }).then(function(r){ return r }) }).then(helpers.waitForEl("#security-done")) .then(function(){ var getInnerHtml = function(){ return "" + document.querySelector("#result").innerHTML } browser.executeScript(getInnerHtml).then(function (resultHtml) { expect(resultHtml.indexOf("FAILED")).toBe(-1) }); }) .catch(function(){ console.log("FAIL") }) }) });
var helpers = require("../helpers") describe('Security', function() { it("Initializes a (hopefully secret) cookie and navigates to the security test page", function(){ browser.ignoreSynchronization = true; browser.get("http://localhost:9855/init") helpers.waitForEl("#confirm-cookie") browser.get("http://localhost:9856/src/e2e/security/security.html#auto-activate-fromjs") // browser.pause(); return browser.driver.wait(function(){ return browser.executeScript(function(){ console.log("Waiting fo f__StringLiteral") return window.f__StringLiteral !== undefined }).then(function(r){ return r }) }).then(helpers.waitForEl("#security-done")) .then(function(){ var getInnerHtml = function(){ return "" + document.querySelector("#result").innerHTML } browser.executeScript(getInnerHtml).then(function (resultHtml) { expect(resultHtml.indexOf("FAILED")).toBe(-1) }); }) }) });
Remove console log that never hits anyway.
Remove console log that never hits anyway.
JavaScript
mit
mattzeunert/FromJS,mattzeunert/FromJS,mattzeunert/FromJS,mattzeunert/FromJS
--- +++ @@ -24,8 +24,5 @@ expect(resultHtml.indexOf("FAILED")).toBe(-1) }); }) - .catch(function(){ - console.log("FAIL") - }) }) });
b36d600757216d99c46b4c696c165582d71812df
lib/arrthorizer/rails/controller_configuration.rb
lib/arrthorizer/rails/controller_configuration.rb
module Arrthorizer module Rails class ControllerConfiguration Error = Class.new(Arrthorizer::ArrthorizerException) def initialize(&block) yield self rescue LocalJumpError raise Error, "No builder block provided to ContextBuilder.new" end def defaults(&block) self.defaults_block = block end def for_action(action, &block) add_action_block(action, &block) end def block_for(action) action_blocks.fetch(action) { defaults_block } end private attr_accessor :defaults_block def add_action_block(action, &block) action_blocks[action] = block end def action_blocks @action_blocks ||= HashWithIndifferentAccess.new end end end end
module Arrthorizer module Rails class ControllerConfiguration Error = Class.new(Arrthorizer::ArrthorizerException) def initialize(&block) yield self rescue LocalJumpError raise Error, "No builder block provided to ContextBuilder.new" end def defaults(&block) self.defaults_block = block end def for_action(*actions, &block) actions.each do |action| add_action_block(action, &block) end end alias_method :for_actions, :for_action def block_for(action) action_blocks.fetch(action) { defaults_block } end private attr_accessor :defaults_block def add_action_block(action, &block) action_blocks[action] = block end def action_blocks @action_blocks ||= HashWithIndifferentAccess.new end end end end
Allow configuration of multiple actions at the same time
Allow configuration of multiple actions at the same time for_action is now aliased as for_actions, and both accept multiple actions to configure using the same block. Fixes #23.
Ruby
mit
BUS-OGD/arrthorizer,BUS-OGD/arrthorizer,BUS-OGD/arrthorizer
--- +++ @@ -13,9 +13,12 @@ self.defaults_block = block end - def for_action(action, &block) - add_action_block(action, &block) + def for_action(*actions, &block) + actions.each do |action| + add_action_block(action, &block) + end end + alias_method :for_actions, :for_action def block_for(action) action_blocks.fetch(action) { defaults_block }
7e25a0097c3a4e7d37d75f6e90bcee2883df0a46
analysis/opening_plot.py
analysis/opening_plot.py
#!/usr/bin/python import sys def parse_opening_list(filename): with open(filename) as f: open_count = dict() openings = [] for line in (raw.strip() for raw in f): open_count.setdefault(line, 0) open_count[line] += 1 openings.append(line) top10 = list(reversed(sorted(open_count.keys(), key=lambda x: open_count[x])[-10:])) movsum_window = 1000 last_window = openings[-movsum_window:] top10_rate = list(reversed(sorted(open_count.keys(), key=lambda x : last_window.count(x))[-10:])) for data in [[top10, '_top_opening_data.txt'], [top10_rate, '_top_opening_rate_data.txt']]: with open(filename + data[1] , 'w') as out: out.write(','.join(top10) + '\n') for opening in openings: marker = ['1' if x == opening else '0' for x in data[0]] out.write(','.join(marker) + '\n') if __name__ == '__main__': parse_opening_list(sys.argv[1])
#!/usr/bin/python import sys def parse_opening_list(filename): with open(filename) as f: open_count = dict() openings = [] for line in (raw.strip() for raw in f): open_count.setdefault(line, 0) open_count[line] += 1 openings.append(line) top10 = list(reversed(sorted(open_count.keys(), key=lambda x: open_count[x])[-10:])) movsum_window = 1000 last_window = openings[-movsum_window:] top10_rate = list(reversed(sorted(open_count.keys(), key=lambda x : last_window.count(x))[-10:])) for data in [[top10, '_top_opening_data.txt'], [top10_rate, '_top_opening_rate_data.txt']]: with open(filename + data[1] , 'w') as out: out.write(','.join(data[0]) + '\n') for opening in openings: marker = ['1' if x == opening else '0' for x in data[0]] out.write(','.join(marker) + '\n') if __name__ == '__main__': parse_opening_list(sys.argv[1])
Write correct titles for opening plots
Write correct titles for opening plots
Python
mit
MarkZH/Genetic_Chess,MarkZH/Genetic_Chess,MarkZH/Genetic_Chess,MarkZH/Genetic_Chess,MarkZH/Genetic_Chess
--- +++ @@ -21,7 +21,7 @@ for data in [[top10, '_top_opening_data.txt'], [top10_rate, '_top_opening_rate_data.txt']]: with open(filename + data[1] , 'w') as out: - out.write(','.join(top10) + '\n') + out.write(','.join(data[0]) + '\n') for opening in openings: marker = ['1' if x == opening else '0' for x in data[0]] out.write(','.join(marker) + '\n')
a77eb24def5ba577f8545a0ae61c606392099342
_notes/tool/linux/shell_script/built_in.md
_notes/tool/linux/shell_script/built_in.md
--- --- ## Set ```shell # https://www.gnu.org/software/bash/manual/html_node/The-Set-Builtin.html set -x set -o xtrace ``` ## Random ```shell echo $(( RANDOM % 10 )) ``` ## Print ```shell printf %s "${MYVAR}" # Without new line printf %s\\n "${MYVAR}" # With new line ```
--- --- ## Set ```shell # https://www.gnu.org/software/bash/manual/html_node/The-Set-Builtin.html set -e # Exit on error set -u # Throw error on undefined variables set -o pipefail # Throw error on command pipe failures set -x # Print the commands (-o xtrace) ``` ## Random ```shell echo $(( RANDOM % 10 )) ``` ## Print ```shell printf %s "${MYVAR}" # Without new line printf %s\\n "${MYVAR}" # With new line ```
Add more notes for shell script's set built in
Add more notes for shell script's set built in
Markdown
mit
Yutsuten/Yutsuten.github.io,Yutsuten/Yutsuten.github.io,Yutsuten/Yutsuten.github.io
--- +++ @@ -5,8 +5,10 @@ ```shell # https://www.gnu.org/software/bash/manual/html_node/The-Set-Builtin.html -set -x -set -o xtrace +set -e # Exit on error +set -u # Throw error on undefined variables +set -o pipefail # Throw error on command pipe failures +set -x # Print the commands (-o xtrace) ``` ## Random
fd6555b31a117ab699324ffb9b78fa6eadd53cb4
script.js
script.js
$(function() { $("td").dblclick(function() { var td = $(this), OriginalContent = td.text(); td.addClass("cellEditing"); td.html("<input type='text' value='" + OriginalContent + "' />"); td.children().first().focus(); td.children().first().keypress(function(e) { if (e.which == 13) { var text = $(this), newContent = text.val(), td = text.parent(); td.text(newContent); td.removeClass("cellEditing"); } }); td.children().first().blur(function(){ var td = $(this).parent(); td.text(OriginalContent); td.removeClass("cellEditing"); }); }); });
$(function() { $("td").dblclick(function() { var td = $(this), originalContent = td.text(); td.addClass("cellEditing"); td.data("originalContent", originalContent); td.html("<input type='text' value='" + originalContent + "' />"); td.children().first().focus(); td.children().first().keypress(function(e) { if (e.which == 13) { var text = $(this), newContent = text.val(), td = text.parent(); td.text(newContent); td.removeClass("cellEditing"); } }); td.children().first().blur(function(){ var td = $(this).parent(); td.text(td.data("originalContent")); td.removeData("originalContent"); td.removeClass("cellEditing"); }); }); });
Use html5 data attributes to save the original content.
Use html5 data attributes to save the original content.
JavaScript
mit
hnakamur/editable_html_table_example
--- +++ @@ -1,9 +1,10 @@ $(function() { $("td").dblclick(function() { - var td = $(this), OriginalContent = td.text(); + var td = $(this), originalContent = td.text(); td.addClass("cellEditing"); - td.html("<input type='text' value='" + OriginalContent + "' />"); + td.data("originalContent", originalContent); + td.html("<input type='text' value='" + originalContent + "' />"); td.children().first().focus(); td.children().first().keypress(function(e) { @@ -16,7 +17,8 @@ td.children().first().blur(function(){ var td = $(this).parent(); - td.text(OriginalContent); + td.text(td.data("originalContent")); + td.removeData("originalContent"); td.removeClass("cellEditing"); }); });
709eb1e44020a19d819cd05a9e52bb341cd6a2c0
src/main/java/org/purescript/psi/typeconstructor/TypeConstructorReference.kt
src/main/java/org/purescript/psi/typeconstructor/TypeConstructorReference.kt
package org.purescript.psi.typeconstructor import com.intellij.psi.PsiElement import com.intellij.psi.PsiReferenceBase class TypeConstructorReference(typeConstructor: PSTypeConstructor) : PsiReferenceBase<PSTypeConstructor>( typeConstructor, typeConstructor.textRangeInParent, false ) { override fun resolve(): PsiElement? { return myElement.module.dataDeclarations.firstOrNull {it.name == myElement.name} } }
package org.purescript.psi.typeconstructor import com.intellij.psi.PsiElement import com.intellij.psi.PsiReferenceBase import org.purescript.psi.PSPsiElement class TypeConstructorReference(typeConstructor: PSTypeConstructor) : PsiReferenceBase<PSTypeConstructor>( typeConstructor, typeConstructor.textRangeInParent, false ) { override fun getVariants(): Array<Any> = candidates.toTypedArray() override fun resolve(): PsiElement? = candidates.firstOrNull { it.name == myElement.name } /* * TODO [simonolander] * Add support for type declarations */ private val candidates: List<PSPsiElement> get() = myElement.module.run { dataDeclarations.toList() + newTypeDeclarations.toList() + importDeclarations.flatMap { it.importedDataDeclarations + it.importedNewTypeDeclarations } } }
Add reference support between type constructors and data declarations and newtype declarations
Add reference support between type constructors and data declarations and newtype declarations
Kotlin
bsd-3-clause
intellij-purescript/intellij-purescript,intellij-purescript/intellij-purescript
--- +++ @@ -2,6 +2,7 @@ import com.intellij.psi.PsiElement import com.intellij.psi.PsiReferenceBase +import org.purescript.psi.PSPsiElement class TypeConstructorReference(typeConstructor: PSTypeConstructor) : PsiReferenceBase<PSTypeConstructor>( @@ -9,7 +10,20 @@ typeConstructor.textRangeInParent, false ) { - override fun resolve(): PsiElement? { - return myElement.module.dataDeclarations.firstOrNull {it.name == myElement.name} - } + + override fun getVariants(): Array<Any> = + candidates.toTypedArray() + + override fun resolve(): PsiElement? = + candidates.firstOrNull { it.name == myElement.name } + + /* + * TODO [simonolander] + * Add support for type declarations + */ + private val candidates: List<PSPsiElement> + get() = myElement.module.run { + dataDeclarations.toList() + newTypeDeclarations.toList() + + importDeclarations.flatMap { it.importedDataDeclarations + it.importedNewTypeDeclarations } + } }
3fc109a396ccbdf1f9b26a0cf89e2a92d3f87fb0
setup.py
setup.py
#!/usr/bin/env python """ setup.py file for afnumpy """ from distutils.core import setup from afnumpy import __version__ setup (name = 'afnumpy', version = __version__, author = "Filipe Maia", author_email = "[email protected]", url = 'https://github.com/FilipeMaia/afnumpy', download_url = 'https://github.com/FilipeMaia/afnumpy/archive/'+__version__, keywords = ['arrayfire', 'numpy', 'GPU'], description = """A GPU-ready drop-in replacement for numpy""", packages = ["afnumpy", "afnumpy/core", "afnumpy/lib", "afnumpy/linalg"], install_requires=['arrayfire', 'numpy'], )
#!/usr/bin/env python """ setup.py file for afnumpy """ from distutils.core import setup from afnumpy import __version__ setup (name = 'afnumpy', version = __version__, author = "Filipe Maia", author_email = "[email protected]", url = 'https://github.com/FilipeMaia/afnumpy', download_url = 'https://github.com/FilipeMaia/afnumpy/archive/'+__version__+'.tar.gz', keywords = ['arrayfire', 'numpy', 'GPU'], description = """A GPU-ready drop-in replacement for numpy""", packages = ["afnumpy", "afnumpy/core", "afnumpy/lib", "afnumpy/linalg"], install_requires=['arrayfire', 'numpy'], )
Correct again the pip URL
Correct again the pip URL
Python
bsd-2-clause
FilipeMaia/afnumpy,daurer/afnumpy
--- +++ @@ -13,7 +13,7 @@ author = "Filipe Maia", author_email = "[email protected]", url = 'https://github.com/FilipeMaia/afnumpy', - download_url = 'https://github.com/FilipeMaia/afnumpy/archive/'+__version__, + download_url = 'https://github.com/FilipeMaia/afnumpy/archive/'+__version__+'.tar.gz', keywords = ['arrayfire', 'numpy', 'GPU'], description = """A GPU-ready drop-in replacement for numpy""", packages = ["afnumpy", "afnumpy/core", "afnumpy/lib", "afnumpy/linalg"],
74d4cdc8e13ce273ba45aff525c44602b9ac7278
oss-licenses-plugin/gradle/wrapper/gradle-wrapper.properties
oss-licenses-plugin/gradle/wrapper/gradle-wrapper.properties
distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists distributionUrl=https\://services.gradle.org/distributions/gradle-5.6.2-bin.zip zipStoreBase=GRADLE_USER_HOME zipStorePath=wrapper/dists
distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists distributionUrl=https\://services.gradle.org/distributions/gradle-6.6.1-bin.zip zipStoreBase=GRADLE_USER_HOME zipStorePath=wrapper/dists
Update Gradle version to 6.6.1
Update Gradle version to 6.6.1
INI
apache-2.0
google/play-services-plugins,google/play-services-plugins
--- +++ @@ -1,5 +1,5 @@ distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists -distributionUrl=https\://services.gradle.org/distributions/gradle-5.6.2-bin.zip +distributionUrl=https\://services.gradle.org/distributions/gradle-6.6.1-bin.zip zipStoreBase=GRADLE_USER_HOME zipStorePath=wrapper/dists
ec21184bd1ef3538a0418d8d45a8c82522ba9bcb
platformio.ini
platformio.ini
; PlatformIO Project Configuration File ; ; Build options: build flags, source filter ; Upload options: custom upload port, speed and extra flags ; Library options: dependencies, extra library storages ; Advanced options: extra scripting ; ; Please visit documentation for the other options and examples ; http://docs.platformio.org/page/projectconf.html [env:pro16MHzatmega328] platform = atmelavr board = pro16MHzatmega328 framework = arduino lib_deps = 1250
; PlatformIO Project Configuration File ; ; Build options: build flags, source filter ; Upload options: custom upload port, speed and extra flags ; Library options: dependencies, extra library storages ; Advanced options: extra scripting ; ; Please visit documentation for the other options and examples ; http://docs.platformio.org/page/projectconf.html [env:pro16MHzatmega328] platform = atmelavr board = pro16MHzatmega328 framework = arduino lib_deps = 1250 2064
Add Adafruit VCNL4010 library as PIO dependency
Add Adafruit VCNL4010 library as PIO dependency
INI
mit
stonehippo/purry
--- +++ @@ -14,3 +14,4 @@ framework = arduino lib_deps = 1250 + 2064
0763a918e6355f4b67100f090f3a86e2a68b584c
app/helpers/application_helper/button/container_timeline.rb
app/helpers/application_helper/button/container_timeline.rb
class ApplicationHelper::Button::ContainerTimeline < ApplicationHelper::Button::Container needs :@record def disabled? @error_message = _('No Timeline data has been collected for this %{entity}') % {:entity => @entity} unless proper_events? @error_message.present? end private def proper_events? @record.has_events? || @record.has_events?(:policy_events) end end
Create button a class for container timeline buttons
Create button a class for container timeline buttons
Ruby
apache-2.0
NaNi-Z/manageiq,aufi/manageiq,billfitzgerald0120/manageiq,kbrock/manageiq,mfeifer/manageiq,andyvesel/manageiq,romanblanco/manageiq,branic/manageiq,andyvesel/manageiq,tzumainn/manageiq,branic/manageiq,jrafanie/manageiq,durandom/manageiq,NaNi-Z/manageiq,hstastna/manageiq,josejulio/manageiq,ailisp/manageiq,jntullo/manageiq,agrare/manageiq,durandom/manageiq,syncrou/manageiq,aufi/manageiq,skateman/manageiq,lpichler/manageiq,jvlcek/manageiq,mzazrivec/manageiq,jvlcek/manageiq,aufi/manageiq,agrare/manageiq,tinaafitz/manageiq,tzumainn/manageiq,NickLaMuro/manageiq,matobet/manageiq,israel-hdez/manageiq,lpichler/manageiq,mresti/manageiq,hstastna/manageiq,israel-hdez/manageiq,agrare/manageiq,matobet/manageiq,ilackarms/manageiq,ilackarms/manageiq,syncrou/manageiq,jameswnl/manageiq,chessbyte/manageiq,mkanoor/manageiq,chessbyte/manageiq,israel-hdez/manageiq,mresti/manageiq,NickLaMuro/manageiq,hstastna/manageiq,tzumainn/manageiq,fbladilo/manageiq,matobet/manageiq,juliancheal/manageiq,mzazrivec/manageiq,d-m-u/manageiq,juliancheal/manageiq,kbrock/manageiq,djberg96/manageiq,matobet/manageiq,chessbyte/manageiq,romanblanco/manageiq,borod108/manageiq,mkanoor/manageiq,durandom/manageiq,juliancheal/manageiq,romanblanco/manageiq,mfeifer/manageiq,lpichler/manageiq,jameswnl/manageiq,andyvesel/manageiq,NaNi-Z/manageiq,NickLaMuro/manageiq,gmcculloug/manageiq,NickLaMuro/manageiq,tinaafitz/manageiq,syncrou/manageiq,billfitzgerald0120/manageiq,yaacov/manageiq,yaacov/manageiq,ilackarms/manageiq,gmcculloug/manageiq,mresti/manageiq,tinaafitz/manageiq,djberg96/manageiq,d-m-u/manageiq,NaNi-Z/manageiq,skateman/manageiq,borod108/manageiq,jntullo/manageiq,djberg96/manageiq,josejulio/manageiq,aufi/manageiq,yaacov/manageiq,kbrock/manageiq,josejulio/manageiq,ManageIQ/manageiq,ailisp/manageiq,mfeifer/manageiq,ailisp/manageiq,gerikis/manageiq,hstastna/manageiq,ManageIQ/manageiq,borod108/manageiq,branic/manageiq,mzazrivec/manageiq,mkanoor/manageiq,skateman/manageiq,mfeifer/manageiq,jrafanie/manageiq,romanblanco/manageiq,agrare/manageiq,d-m-u/manageiq,tinaafitz/manageiq,chessbyte/manageiq,pkomanek/manageiq,josejulio/manageiq,pkomanek/manageiq,ailisp/manageiq,d-m-u/manageiq,gerikis/manageiq,fbladilo/manageiq,gmcculloug/manageiq,yaacov/manageiq,ManageIQ/manageiq,juliancheal/manageiq,branic/manageiq,ilackarms/manageiq,jntullo/manageiq,djberg96/manageiq,ManageIQ/manageiq,jvlcek/manageiq,jntullo/manageiq,gerikis/manageiq,kbrock/manageiq,mresti/manageiq,durandom/manageiq,pkomanek/manageiq,billfitzgerald0120/manageiq,andyvesel/manageiq,fbladilo/manageiq,tzumainn/manageiq,lpichler/manageiq,jameswnl/manageiq,jameswnl/manageiq,pkomanek/manageiq,skateman/manageiq,jrafanie/manageiq,fbladilo/manageiq,mkanoor/manageiq,jrafanie/manageiq,gerikis/manageiq,mzazrivec/manageiq,syncrou/manageiq,israel-hdez/manageiq,gmcculloug/manageiq,jvlcek/manageiq,billfitzgerald0120/manageiq,borod108/manageiq
--- +++ @@ -0,0 +1,15 @@ +class ApplicationHelper::Button::ContainerTimeline < ApplicationHelper::Button::Container + needs :@record + + def disabled? + @error_message = _('No Timeline data has been collected for this %{entity}') % + {:entity => @entity} unless proper_events? + @error_message.present? + end + + private + + def proper_events? + @record.has_events? || @record.has_events?(:policy_events) + end +end
3a0907f6eb974bb1afeb278645848ab9cc0bffab
src/main/resources/log4j.properties
src/main/resources/log4j.properties
# Define the root logger with the appender = console # Supported Logging Levels in low-high order is # DEBUG < INFO < WARN < ERROR < FATAL # Logging levels are inherited from the root logger, and, logging levels # are enabled in a low-high order for e.g. logging level ERROR will enable # ERROR and FATAL log messages to be displayed on the appender. log4j.rootLogger = INFO, CONSOLE, STDERR # Define the console appender log4j.appender.CONSOLE=org.apache.log4j.ConsoleAppender # Define the layout for console appender log4j.appender.CONSOLE.layout=org.apache.log4j.PatternLayout # See (https://logging.apache.org/log4j/1.2/apidocs/org/apache/log4j/PatternLayout.html) # for details on the pattern layout string. log4j.appender.CONSOLE.layout.conversionPattern=%d{dd MMM yyyy HH:mm:ss,SSS} [%-5p] [%C{1}]: %m%n log4j.appender.STDERR=org.apache.log4j.ConsoleAppender log4j.appender.STDERR.layout=org.apache.log4j.PatternLayout log4j.appender.STDERR.layout.conversionPattern=%d{dd MMM yyyy HH:mm:ss,SSS} [%-5p] [%C{1}]: %m%n log4j.appender.STDERR.Threshold=WARN log4j.appender.STDERR.Target=System.err
# Define the root logger with the appender = console # Supported Logging Levels in low-high order is # DEBUG < INFO < WARN < ERROR < FATAL # Logging levels are inherited from the root logger, and, logging levels # are enabled in a low-high order for e.g. logging level ERROR will enable # ERROR and FATAL log messages to be displayed on the appender. log4j.rootLogger = INFO, CONSOLE # Define the console appender log4j.appender.CONSOLE=org.apache.log4j.ConsoleAppender # Define the layout for console appender log4j.appender.CONSOLE.layout=org.apache.log4j.PatternLayout # See (https://logging.apache.org/log4j/1.2/apidocs/org/apache/log4j/PatternLayout.html) # for details on the pattern layout string. log4j.appender.CONSOLE.layout.conversionPattern=%d{dd MMM yyyy HH:mm:ss,SSS} [%-5p] [%C{1}]: %m%n
Revert "Log errors to stderr so they can be captured by non-java software"
Revert "Log errors to stderr so they can be captured by non-java software" This reverts commit 353d29deeb20305b396278093173d6f0ceafe225.
INI
apache-2.0
Netflix/photon,Netflix/photon
--- +++ @@ -4,7 +4,7 @@ # Logging levels are inherited from the root logger, and, logging levels # are enabled in a low-high order for e.g. logging level ERROR will enable # ERROR and FATAL log messages to be displayed on the appender. -log4j.rootLogger = INFO, CONSOLE, STDERR +log4j.rootLogger = INFO, CONSOLE # Define the console appender log4j.appender.CONSOLE=org.apache.log4j.ConsoleAppender @@ -14,9 +14,3 @@ # See (https://logging.apache.org/log4j/1.2/apidocs/org/apache/log4j/PatternLayout.html) # for details on the pattern layout string. log4j.appender.CONSOLE.layout.conversionPattern=%d{dd MMM yyyy HH:mm:ss,SSS} [%-5p] [%C{1}]: %m%n - -log4j.appender.STDERR=org.apache.log4j.ConsoleAppender -log4j.appender.STDERR.layout=org.apache.log4j.PatternLayout -log4j.appender.STDERR.layout.conversionPattern=%d{dd MMM yyyy HH:mm:ss,SSS} [%-5p] [%C{1}]: %m%n -log4j.appender.STDERR.Threshold=WARN -log4j.appender.STDERR.Target=System.err
6cabf9c03cd40ae748d03f1a2fd3f4f3db6c47a5
protocols/models.py
protocols/models.py
from datetime import datetime from django.db import models class Topic(models.Model): name = models.CharField(max_length=100) description = models.TextField(blank=True, null=True) attachment = models.ManyToManyField('attachments.Attachment') voted_for = models.PositiveIntegerField() voted_against = models.PositiveIntegerField() voted_abstain = models.PositiveIntegerField() statement = models.TextField() def __unicode__(self): return self.name class Institution(models.Model): name = models.CharField(max_length=64) def __unicode__(self): return self.name class Protocol(models.Model): conducted_at = models.DateField(default=datetime.now) institution = models.ForeignKey(Institution) number = models.CharField(max_length=20, unique=True) scheduled_time = models.TimeField() absent = models.ManyToManyField('members.User', related_name='meetings_absent') attendents = models.ManyToManyField('members.User', related_name='meetings_attend') start_time = models.TimeField() additional = models.TextField(blank=True, null=True) quorum = models.PositiveIntegerField() majority = models.PositiveIntegerField() current_majority = models.PositiveIntegerField() topics = models.ManyToManyField(Topic) information = models.TextField(blank=True, null=True) def __unicode__(self): return self.number
from datetime import datetime from django.db import models class Topic(models.Model): name = models.CharField(max_length=100) description = models.TextField(blank=True, null=True) attachment = models.ManyToManyField('attachments.Attachment') voted_for = models.PositiveIntegerField(blank=True, null=True) voted_against = models.PositiveIntegerField(blank=True, null=True) voted_abstain = models.PositiveIntegerField(blank=True, null=True) statement = models.TextField(blank=True, null=True) def __unicode__(self): return self.name class Institution(models.Model): name = models.CharField(max_length=64) def __unicode__(self): return self.name class Protocol(models.Model): conducted_at = models.DateField(default=datetime.now) institution = models.ForeignKey(Institution) number = models.CharField(max_length=20, unique=True) scheduled_time = models.TimeField() absent = models.ManyToManyField('members.User', related_name='meetings_absent') attendents = models.ManyToManyField('members.User', related_name='meetings_attend') start_time = models.TimeField() additional = models.TextField(blank=True, null=True) quorum = models.PositiveIntegerField() majority = models.PositiveIntegerField() current_majority = models.PositiveIntegerField() topics = models.ManyToManyField(Topic) information = models.TextField(blank=True, null=True) def __unicode__(self): return self.number
Add option for blank voting
Add option for blank voting
Python
mit
Hackfmi/Diaphanum,Hackfmi/Diaphanum
--- +++ @@ -7,10 +7,10 @@ name = models.CharField(max_length=100) description = models.TextField(blank=True, null=True) attachment = models.ManyToManyField('attachments.Attachment') - voted_for = models.PositiveIntegerField() - voted_against = models.PositiveIntegerField() - voted_abstain = models.PositiveIntegerField() - statement = models.TextField() + voted_for = models.PositiveIntegerField(blank=True, null=True) + voted_against = models.PositiveIntegerField(blank=True, null=True) + voted_abstain = models.PositiveIntegerField(blank=True, null=True) + statement = models.TextField(blank=True, null=True) def __unicode__(self): return self.name
02f7a546cda7b8b3ce31616a74f3aa3518632885
djangocms_spa_vue_js/templatetags/router_tags.py
djangocms_spa_vue_js/templatetags/router_tags.py
import json from django import template from django.utils.safestring import mark_safe from ..menu_helpers import get_vue_js_router register = template.Library() @register.simple_tag(takes_context=True) def vue_js_router(context): if context.has_key('vue_js_router'): router = context['vue_js_router'] else: router = get_vue_js_router(context=context) router_json = json.dumps(router) escaped_router_json = router_json.replace("'", "&#39;") # Escape apostrophes to prevent JS errors. return mark_safe(escaped_router_json)
import json from django import template from django.utils.safestring import mark_safe from ..menu_helpers import get_vue_js_router register = template.Library() @register.simple_tag(takes_context=True) def vue_js_router(context): if 'vue_js_router' in context: router = context['vue_js_router'] else: router = get_vue_js_router(context=context) router_json = json.dumps(router) escaped_router_json = router_json.replace("'", "&#39;") # Escape apostrophes to prevent JS errors. return mark_safe(escaped_router_json)
Use `in` rather than `has_key`
Use `in` rather than `has_key`
Python
mit
dreipol/djangocms-spa-vue-js
--- +++ @@ -10,7 +10,7 @@ @register.simple_tag(takes_context=True) def vue_js_router(context): - if context.has_key('vue_js_router'): + if 'vue_js_router' in context: router = context['vue_js_router'] else: router = get_vue_js_router(context=context)
7ff139f097603085685f3a152f67ce566dd40932
.github/workflows/check_transport.yml
.github/workflows/check_transport.yml
name: Check Matrix on: [push, pull_request] jobs: build: runs-on: ${{ matrix.os }} strategy: fail-fast: false matrix: os: [ubuntu-latest, macOS-latest, windows-latest] transport: [native, nio] exclude: # excludes native on Windows (there's none) - os: windows-latest transport: native steps: - uses: actions/checkout@v1 - name: Set up JDK 1.8 uses: actions/[email protected] with: java-version: 1.8 - name: Build with Gradle run: ./gradlew clean check -PforceTransport=${{ matrix.transport }}
name: Check Matrix on: [push, pull_request] jobs: build: runs-on: ${{ matrix.os }} strategy: fail-fast: false matrix: os: [ubuntu-18.04, macos-10.15, windows-2019] transport: [native, nio] exclude: # excludes native on Windows (there's none) - os: windows-latest transport: native steps: - uses: actions/checkout@v1 - name: Set up JDK 1.8 uses: actions/[email protected] with: java-version: 1.8 - name: Build with Gradle run: ./gradlew clean check -PforceTransport=${{ matrix.transport }}
Switch to a fixed version instead of latest version for CI VMs
Switch to a fixed version instead of latest version for CI VMs
YAML
apache-2.0
reactor/reactor-netty,reactor/reactor-netty
--- +++ @@ -9,7 +9,7 @@ strategy: fail-fast: false matrix: - os: [ubuntu-latest, macOS-latest, windows-latest] + os: [ubuntu-18.04, macos-10.15, windows-2019] transport: [native, nio] exclude: # excludes native on Windows (there's none)
cbb0b65464c7f6895d612aab65f554431062ce2c
modules/projects/README.md
modules/projects/README.md
# Project Manifests Project manifests live in `modules/projects/manifests/$project.pp`. A simple project manifest example: ```puppet class projects::boxen { $dir = "${boxen::config::srcdir}/boxen" repository { $dir: source => 'boxen/boxen' } ruby::local { $dir: version => 'system', require => Repository[$dir] } } ```
# Project Manifests Project manifests live in `modules/projects/manifests/$project.pp`. A simple project manifest example: ```puppet class projects::boxen { include qt # requires the qt module in Puppetfile $dir = "${boxen::config::srcdir}/boxen" repository { $dir: source => 'boxen/boxen' } ruby::local { $dir: version => 'system', require => Repository[$dir] } } ```
Update docs a bit for projects example
Update docs a bit for projects example
Markdown
mit
vincentpeyrouse/my-boxen,arntzel/BoxenRepo,chrissav/2u_boxen,concordia-publishing-house/boxen,blamarvt/boxen,uniite/my-boxen,schlick/my-boxen,otternq/our-boxen,testboxenmissinformed/boxen-test,albertofem/boxen,phase2/our-confroom-boxen,cade/my-boxen,darthmacdougal/boxen,RossKinsella/our-boxen,atomaka/my-boxen,yuma-iwasaki/my-boxen,nealio42/macbookair,bolasblack/boxen,xebu/boxen-minimal,singuerinc/singuerinc-boxen,malt3/boxen-test,palcisto/my-boxen,dartavion/my-boxen,shaokun/boxen,Jaco-Pretorius/Workstation,jamielennox1/boxen,mwagg/our-boxen,hussfelt/my-boxen,buritica/our-boxen,tetsuo692/my-boxen,sreid/my-boxen,andrzejsliwa/our-boxen,mitsurun/my-boxen,rprimus/my-boxen,ryanycoleman/my-boxen,dotfold/dotboxen,ferventcoder/boxen,ozw-sei/boxen,hparra/my-boxen,chrisklaiber/khan-boxen,platanus/our-boxen,andrewhao/our-boxen,scopp/boxen,jonatanmendozaboxen/platformboxen,qmoya/my-boxen,christian-blades-cb/blades-boxen,portaltechdevenv/tbsdevenvtest,jonnangle/my-boxen,MattParker89/MyBoxen,Shekharv/open,nealio42/macbookair,1gitGrey/boxen015,jwalsh/our-boxen,jypandjio/fortest_my_boxen,msuess/my-boxen,nickpellant/our-boxen,navied/boxen-ios,bjarkehs/my-boxen,franco/boxen,justinmeader/meader-boxen,apto-as/my_boxen,scottgearyau/boxen,applidium-boxen/our-boxen,bwl/bwl-boxen,zachseifts/boxen,Jun-Chang/my-boxen,andrewhao/our-boxen,hernandezgustavo/boxenTest,g12r/bx,bmihelac/our-boxen,navied/boxen-ios,atty303/boxen,mfks17/our-boxen,elle24/boxen,ombr/our-boxen,coreone/tex-boxen,tatsuma/boxen,jak/boxen,jdwolk/my-boxen,vkrishnasamy/vkboxen,andrewhao/our-boxen,krajewf/my-boxen,hwhelchel/boxen,tatsuma/boxen,vphamdev/boxen,newta/my-boxen,jgrau/default-boxen,hydra1983/my-boxen,tdd/my-boxen,dstack4273/MyBoxenBootstrap,cubicmushroom/our-boxen,quintel/boxen,blamattina/our-boxen,theand/our-boxen,jantman/boxen,jacderida/boxen,raychouio/Boxen,mdepuy/boxen,ta9o/our-boxen,wongyouth/boxen,Ganonside/ganon-boxen,lixef/my-boxen,webflo/our-boxen,ONSdigital/ons-boxen,hkrishna/boxen,felixcohen/my-boxen,siddhuwarrier/my-boxen,tdm00/my-boxen,boskya/my-boxen,ryanaslett/mixologic-boxen,nrako/my-boxen,aedelmangh/thdboxen,alainravet/our-boxen,luisbarrueco/boxen,geoffharcourt/boxen,jacksingleton/our-boxen,sharpwhisper/our-boxen,joboscribe/my_boxen,chrisjbaik/our-boxen,drfmunoz/our-boxen,ErikEvenson/boxen,kayleg/my-boxen,pekepeke/boxen,devboy/our-boxen,warrenbailey/ons-boxen,dansmithy/danny-boxen,geekles/my-boxen,bartekrutkowski/our-boxen,shaunoconnor/my-boxen,thomaswelton/old-boxen,msuess/my-boxen,Nanshan/Nanshan-boxen,gravityrail/our-boxen,mwermuth/our-boxen,pearofducks/slappy-testerson,sonnymai/my-boxen,jasonamyers/our-boxen,narze/our-boxen,kayleg/my-boxen,bleech/general-boxen,enriqueruiz/ninja-boxen,jodylent/boxen,mcrumm/my-boxen,palcisto/my-boxen,ykhs/my-boxen,vipulnsward/boxen-repo,skyis/gig-boxen,julienlavergne/my-boxen,boxen-jin/my-boxen,Traxmaxx/my-boxen,rudazhan/my-boxen,schani/xamarin-boxen,tdm00/my-boxen,greatjam/boxenbase,nimbleape/example-boxen,bdossantos/my-boxen,bitbier/my-boxen,ooiwa/my-boxen,abennet/tools,russ/boxen,bdossantos/my-boxen,chai/boxen,calorie/my-boxen,dotfold/dotboxen,grahambeedie/my-boxen,masawo/my-boxen,julzhk/myboxen,rozza/my-boxen,user-tony/my-boxen,akoinesjr/andrew-boxen,balloon-studios/balloon-boxen,BillWeiss/boxen,MrBri/a-go-at-boxen,nickpellant/our-boxen,moriarty/my-boxen,lakhansamani/myboxen,jae2/boxen,ryanwalker/my-boxen,christian-blades-cb/blades-boxen,BrandonCummings/BoxenRepo,rob-murray/my-osx,clburlison/my-boxen,vtlearn/boxen,GoodDingo/my-boxen,adamwalz/my-boxen,faizhasim/our-boxen,joelturnbull/our-boxen,lonnen/base-boxen,sahilm/boxen,moveline/our-boxen,joelhooks/my-boxen,phathocker/loxen-phathocker,paluchas/my-boxen,akiellor/our-boxen,han/hana-boxen,kitatuba/my-boxen,matildabellak/my-boxen,trq/my-boxen,juherpin/myboxen,indika/boxen,telamonian/boxen-linux,mztaylor/our_boxen,apeeters/boxen,dangig/a1-boxen,newta/my-boxen,bartekrutkowski/our-boxen,kevcolwell/Boxen,WeAreMiles/myBoxen,jacobtomlinson/my-boxen,glarizza/my-boxen,mmrobins/my-boxen,segu/my-boxen,staxmanade/boxen-vertigo,masawo/my-boxen,wkimeria/boxen_research,theand/our-boxen,lpmulligan/lpm-boxen,rumblesan/my-boxen,GrandSlam/my-boxen,scoutbrandie/my-boxen,muuran/my-boxen,extrinsicmedia/finboxen,flatiron32/boxen,dansmithy/danny-boxen,kayhide/boxen,Tr4pSt3R/boxen,manolin/manolin-boxen,scottgearyau/boxen,joboscribe/my_boxen,kabostime/my-boxen,rvora/rvora-boxen,appcues/our-boxen,ckesurf/patch-boxen,enigmamarketing/boxen,wasabi0522/my-boxen,AnneTheAgile/AnneTheAgile-boxen,acarl005/our-boxen,stefanfoulis/divio-boxen,mrbrett/bretts-boxen,iorionda/my-boxen,jgrau/default-boxen,leed71/boxen,johnsoga/my_boxen,empty23/myboxen,chinafanghao/forBoxen,halyard/halyard,yrabinov/boxen,dannydover/boxen-dover,cmckni3/my-boxen,mickengland/boxen,rudymccomb/my-boxen15,johnnyLadders/boxen,marr/our-boxen,bmihelac/our-boxen,stuartcampbell/my-boxen,gregimba/boxen-personal,mfks17/our-boxen,jldbasa/boxen,evalphobia/my-boxen,joelchelliah/sio-boxen,jhonathas/boxen,raychouio/Boxen,friederikewild/boxen,ballyhooit/boxen,mikecardii/nerdboxen,sreeramanathan/my-boxen,shaokun/boxen,kevronthread/boxen-test,stedwards/our-boxen,ysoussov/mah-boxen,smcingvale/my-boxen,tbueno/my-boxen,stoeffel/our-boxen,agilecreativity/boxen-2015,puppetlabs/eduteam-boxen,rujiali/ibis,magicmonty/our-boxen,burin/whee-boxen,springaki/boxen,discoverydev/my-boxen,ymmty/my-boxen,ddaugher/baseBoxen,petronbot/our-boxen,whharris/boxen,tischler/tims-boxen,rudymccomb/my-boxen,tbueno/my-boxen,marzagao/our-boxen,danpalmer/boxen,catesandrew/cates-boxen,BillWeiss/boxen,andrewdlong/boxen,johnsoga/my_boxen,drewtempelmeyer/boxen,sgerrand/our-boxen,fukayatsu/my-boxen,wcorrigan/myboxen,rafasf/my-boxen,Damienkatz/my-boxen,mlevitt/boxen,merikan/my-boxen,chaoranxie/my-boxen,taoistmath/USSBoxen,Yeriwyn/my-boxen,kosmotaur/boxen,bentrevor/my-boxen,jacobboland/my-boxen,siddhuwarrier/my-boxen,gsamokovarov/my-boxen,plainfingers/adfiboxen,rusty0606/my-boxen,prussiap/boxen_dev,kseta/my-boxen,balloon-studios/balloon-boxen,1337807/my-boxen,yokulkarni/boxen,mattr-/our-boxen,belighted/our-boxen,cqwense/our-boxen,kallekrantz/boxen,wesen/our-boxen,mikeycmccarthy/our-boxen,lixef/my-boxen,pingpad/boxen,kallekrantz/boxen,jiananlu/our-boxen,Johaned/my_boxen,marano/my-boxen,mtakezawa/our-boxen,caciasmith/my-boxen,surefire/our-boxen,novakps/our-boxen,k-nishijima/our-boxen,jgrau/my-boxen,ombr/our-boxen,filipebarcos/filipebarcos-boxen,FrancisVarga/dev-boxen,jduhamel/my-boxen,viztor/boxen,meltmedia/boxen,douglasom/railsexperiments,allanma/BBoxen,nullus/boxen,boztek/my-boxen,surfacedamage/boxen,rafasf/my-boxen,toocheap/my-boxen,leehanel/my_boxen,puttiz/bird-boxen,wcorrigan/myboxen,theand/our-boxen,vindir/vindy-boxen,user-tony/my-boxen,gabrielalmeida/my-boxen,felixclack/my-boxen,sigriston/my-boxen,jcarlson/cdx-boxen,fredoliveira/boxen,hjuutilainen/myboxen,sepeth/my-boxen,micalexander/boxen,kakuda/my-boxen,haeronen/my-boxen,panderp/my-boxen,dfwarden/gsu-boxen,DennisDenuto/our-boxen,rumblesan/my-boxen,geoffharcourt/boxen,imdhmd/my-boxen,scheibinger/my-boxen,usmanismail/boxen,elbuo8/boxen,josemvidal/my-boxen,WeAreMiles/myBoxen,Ceasar/my-boxen,inakiabt/boxen-productgram,mmasashi/my-boxen,jacobboland/my-boxen,evanchiu/my-boxen,mroth/my-boxen,didymu5/tommysboxen,zamoose/boxen,pseudomuto/boxen,kidylee/our-boxen,ckelly/my-boxen,csaura/my_boxen,kyohei-shimada/my-boxen,akoinesjr/andrew-boxen,webdizz/my-boxen,flyingpig16/boxen,singuerinc/singuerinc-boxen,topsterio/boxen,abuxton/our-boxen,weiliv/boxen,discoverydev/my-boxen,mediasuitenz/our-boxen-xcode5.1,jwalsh/our-boxen,spazm/our-boxen,Royce/my-boxen,huit/cloudeng-boxen,luisbarrueco/boxen,abennet/tools,mlevitt/boxen,robbiegill/a-boxen,peterwardle/boxen,rudymccomb/my-boxen17,darkseed/boxen,paolodm/test-boxen,jduhamel/my-boxen,grahamgilbert/my-boxen,jtao826/mscp-boxen,heflinao/boxen,bwl/bwl-boxen,theand/our-boxen,mirajsanghvi/boxen_tidepool,donaldpiret/our-boxen,minatsu/my-boxen,saicologic/our-boxen,adamchandra/my-boxen,sorenmat/our-boxen,Nanshan/Nanshan-boxen,aisensiy/boxen,amitmula/boxen-test,diegofigueroa/boxen,smh/my-boxen,bentsou-com/ben-boxen,justinmeader/whipple-boxen,mkilpatrick/boxen_test,spacepants/my-boxen,ysoussov/boxenz,raymaung/ray-boxen,nederhrj/boxen,HalfdanJ/Boxen,atmos/our-boxen,arron-green/my-boxen,hydra1983/my-boxen,kcmartin/our-boxen,voidraven2/boxen,dstack27/MyBoxenBootstrap,jeffleeismyhero/boxen,MAECProject/maec-boxen,boxen-jin/my-boxen,maxdeviant/boxen,gsamokovarov/my-boxen,jiananlu/our-boxen,italoag/boxen,dliggat/boxen-old,hjfbynara/hjf-boxen,klean-software/default-boxen,digitaljamfactory/boxen,takashi/my-boxen,tfhartmann/boxen,pauldambra/our-boxen,kieranja/mac,jwmayfield/my-boxen,ingoclaro/our-boxen,abuxton/our-boxen,huyennh/boxen,huit/cloudeng-boxen,jsmitley/boxen,traethethird/boxen-python,quintel/boxen,meatherly/my-boxen,rogerhub/our-boxen,pixeldetective/myboxen,Dmetmylabel/labelweb-boxen,gf1730/boxen,bigashman/boxen,mikeycmccarthy/our-boxen,miguelscopely/boxen,nik/my-boxen,kdimiche/boxen,mefellows/my-boxen,jpogran/puppetlabs-boxen,markkendall/boxen,pixeldetective/myboxen,mly1999/my-boxen,debona/my-boxen,bash0C7/my-boxen,cleblanc87/boxen,antigremlin/my-boxen,jbecker42/boxen,mirkokiefer/mirkos-boxen,arnoldsandoval/our-boxen,escott-/boxen,n0ts/our-boxen,zacharyrankin/my-boxen,manchan/boxen,BenjMichel/our-boxen,nixterrimus/boxen,morgante/boxen-saturn,joe-re/my-boxen,diegofigueroa/boxen,mgibson/boxen-dec-2013,bjarkehs/my-boxen,webflo/our-boxen,pizzaops/drunken-tribble,kevinSuttle/my-boxen,tischler/tims-boxen,novakps/our-boxen,arntzel/BoxenRepo,cbi/cbi-boxen,gaahrdner/my-boxen,codingricky/my-boxen,jypandjio/fortest_my_boxen,panderp/boxen,Royce/my-boxen,mansfiem/boxen,vesan/boxen,salimane/our-boxen,morganloehr/setup,mgriffin/my-boxen,lsylvester/boxen,mgriffin/my-boxen,oke-ya/boxen,vipulnsward/boxen-repo,jazeren1/boxen,dmccown/boxen,alphagov/gds-boxen,justinmeader/meader-boxen,davedash/my-boxen,ferventcoder/boxen,rexxllabore/localboxen,surfacedamage/boxen,noriaki/my-boxen,BrandonCummings/BoxenRepo,srclab/our-boxen,plyfe/our-boxen,JanGorman/my-boxen,debona/my-boxen,billyvg/my-boxen,thejonanshow/my-boxen,mruser/boxen,voidraven2/boxen,kevinprince/our-boxen,sqki/boxen,sreid/my-boxen,erickreutz/our-boxen,natewalck/my-boxen_old,philipsdoctor/try-boxen,drfmunoz/our-boxen,scheibinger/my-boxen,thenickcox/my_boxen,drewtempelmeyer/boxen,calorie/my-boxen,paluchas/my-boxen,nrako/my-boxen,bentsou-com/ben-boxen,kylemclaren/boxen,ckesurf/patch-boxen,malt3/boxen-test,micalexander/boxen,jabley/our-boxen,typhonius/boxen,atayarani/myboxen,extrinsicmedia/finboxen,dbld-org/our-boxen,cade/my-boxen,josemarluedke/neighborly-boxen,lacroixdesign/our-boxen,yayao/my-boxen,k-nishijima/our-boxen,marzagao/our-boxen,lacroixdesign/our-boxen,mainyaa/boxen,chrisklaiber/khan-boxen,webflo/our-boxen,jfx41/voraa,pedro-mass/boxentest,oddhill/oddboxen,patrickkelso/boxen-test,greatjam/boxenbase,crpeck/boxen,kaneshin/boxen,elbuo8/boxen,grahamgilbert/my-boxen,ngalchonkova/lohika,lotsofcode/my-boxen,zachahn/our-boxen,kabostime/my-boxen,dgiunta/boxen,rebootd/myboxen,jniesen/my-boxen,rickyp72/rp_boxen,bjarkehs/my-boxen,msaunby/our-boxen,kitakitabauer/my-boxen,gdks/our-boxen,thuai/boxen,shao1555/my-boxen,randym/boxen,puppetlabs/eduteam-boxen,raffone/boxen,john-griffin/boxen,dmccown/boxen,kyletns/boxen,acarl005/our-boxen,sahilm/boxen,ugoletti/my-boxen,hashrock-sandbox/MyBoxen,jonatanmendozaboxen/platformboxen,zooland/our-boxen,wheresjim/my-boxen,jasonleibowitz/tigerspike-boxen,gaohao/our-boxen,shaunoconnor/my-boxen,barm4ley/crash_analyzer_boxen,stedwards/our-boxen,segu/my-boxen,chrissav/2u_boxen,tam-vo/my-boxen,sjoeboo/boxen,smozely/boxen,bentrevor/my-boxen,JanGorman/my-boxen,sigriston/my-boxen,christopher-b/boxen,jjtorroglosa/my-boxen,sleparc/my-boxen,webbj74/my-boxen,steinim/steinim-boxen,ingoclaro/our-boxen,moredip/my-boxen,umi-uyura/my-boxen,magicmonty/our-boxen,junior-ales/oh-my-mac,morgante/boxen-saturn,cander/boxen,albac/my-boxen,salimane/our-boxen,kdimiche/boxen,ldickerson/Boxen,smt/my-boxen,wkimeria/spectre,scottgearyau/boxen,micahroberson/boxen,designbyraychou/boxen,tarVolcano/my-boxen,puttiz/bird-boxen,atmos/our-boxen,pizzaops/drunken-tribble,mattdelves/boxen,MattParker89/MyBoxen,yakimant/boxen,darvin/apportable-boxen,krohrbaugh/my-boxen,webbj74/webbj74-boxen,gato-omega/my-boxen,gregorylloyd/our-boxen,Nanshan/Nanshan-boxen,gregrperkins/boxen,natewalck/my-boxen_old,weih/boxen,borcean/my-boxen,yrabinov/boxen,davidmyers9000/my-boxen,mcrumm/my-boxen,jamesvulling/my-boxen,andrewdlong/boxen,miguelalvarado/my-boxen,ooiwa/my-boxen,darvin/apportable-boxen,bartul/boxen,jgrau/default-boxen,gregrperkins/boxen,chrisjbaik/our-boxen,heptat/boxen,dvberkel/luminis-boxen-dev,bigashman/boxen,ricrios11/Bootstrapping,pamo/boxen-mini,adelegard/my_boxen,adelegard/my_boxen,scottstanfield/boxen,jhuston/our-boxen,Glipho/boxen,mattgoldspink/personal-boxen,rootandflow/our-boxen,mpherg/new-boxen,waisbrot/boxen,tanihito/my-boxen,rebootd/myboxen,awaxa/awaxa-boxen,matthew-andrews/my-boxen,qmoya/my-boxen,brendancarney/my-boxen,nicknovitski/my-boxen,burin/whee-boxen,urimikhli/myboxen,goncalopereira/boxen,ckelly/my-boxen,GrandSlam/my-boxen,springaki/boxen,mischizzle/boxen,Glipho/boxen,mefellows/my-boxen,Yeriwyn/my-boxen,dotfold/dotboxen,all9lives/lv-boxen,lenciel/my-box,dannydover/boxen-dover,arntzel/BoxenRepo,carthik/our-boxen,filaraujo/.boxen,lsylvester/boxen,blamattina/my-boxen,ChrisWeiss/our-boxen,padwasabimasala/my-boxen,yss44/my-boxen,chaoranxie/my-boxen,supernovae/boxen,calebrosario/boxen,Johaned/my_boxen,tgarrier/boxen,fbernitt/our-boxen,joshbeard/boxen,josemvidal/my-boxen,jdhom/my-boxen,jtjurick/boxen-custom,pheekra/our-boxen,mattdelves/boxen,ugoletti/my-boxen,girishpandit88/boxen,bayster/boxen,nithyan/rcc-boxen,jeremybaumont/jboxen,ralphreid/boxen,kabostime/my-boxen,allanma/BBoxen,jonmosco/boxen-test,donaldpiret/our-boxen,mpherg/boxen,neotag/neotag-boxen,jde/boxen,mirajsanghvi/boxen_tidepool,kPhilosopher/my_boxen,borcean/my-boxen,Lavoaster/our-boxen,dfwarden/gsu-boxen,jacebrowning/my-boxen,yakimant/boxen,otternq/our-boxen,burin/whee-boxen,logikal/boxen,motns/my-boxen,milan/our-boxen,Sugitaku/my-boxen,jeffleeismyhero/boxen,mwermuth/our-boxen,KazukiOhashi/my-boxen,lorn/lorn-boxen,spuder/spuder-boxen,miguelespinoza/boxen,mansfiem/boxen,professoruss/russ_boxen,kitakitabauer/my-boxen,caciasmith/my-boxen,erasmios/deuteron,g12r/bx,AVVSDevelopment/boxen,Damienkatz/my-boxen,dangig/a1-boxen,apackeer/my-boxen-old,ykt/boxen-silverbox,ArpitJalan/boxen,jacebrowning/my-boxen,ronco/my-tomputor,huyennh/boxen,mikedename/myboxen,Shekharv/open,felho/boxen,bgerstle/my-boxen,krohrbaugh/my-boxen,brissmyr/my-boxen,jheuer/my-boxen,ckelly/my-boxen,jeremybaumont/jboxen,junior-ales/oh-my-mac,appcues/our-boxen,rudymccomb/my-boxen,snieto/boxen,woowee/my-boxen,jkemsley/boxen-def,pictura/pictura-boxen,ofl/my-boxen,arnoldsandoval/our-boxen,uniite/my-boxen,macboi86/boxen,user-tony/boxen,shiftit/our-boxen,seanhandley/my_boxen,flannon/dh-boxen,jtjurick/DEPRECATED--boxen,spikeheap/our-boxen,kevronthread/boxen-test,crpdm/our-boxen,mpherg/new-boxen,seancallanan/my-boxen,boztek/my-boxen,fluentglobe/our-boxen,ktec/boxen-laptop,sfcabdriver/sfcabdriver-boxen,tarebyte/my-boxen,rozza/my-boxen,gaishimo/my-boxen,surefire/our-boxen,thuai/boxen,tfnico/my-boxen,jcvanderwal/boxen,morganloehr/setup,alf/boxen,smt/my-boxen,amerdidit/my-boxen,driverdan/boxen,PopShack/boxen,PKaung/boxen,sfwatergit/sfboxen,Berico-Technologies/bt-boxen,makersquare/student-boxen,goncalopereira/boxen,mdavezac/our-boxen,scopp/boxen,stereobooster/my-boxen,fordlee404/code-boxen,didymu5/tommysboxen,adityatrivedi/boxen,raffone/boxen,alvinlai/boxen,valencik/Boxenhops,radeksimko/our-boxen,jcowhigjr/my-boxen,AlabamaMike/my-boxen,devnall/boxen,ccelebi/boxen,markkendall/boxen,takashiyoshida/my-boxen,ckazu/my-boxen,matthew-andrews/my-boxen,smozely/boxen,BrandonCummings/BoxenRepo,duboff/alphabox,srclab/our-boxen,wasabi0522/my-boxen,StEdwardsTeam/our-boxen,jandoubek/boxen,taylorzane/adelyte-boxen,ryan-robeson/osx-workstation,nullus/boxen,benwtr/our-boxen,Menain/mac,fefranca/boxen,jazeren1/boxen,ssabljak/my-boxen,urimikhli/myboxen,steinim/steinim-boxen,DennisDenuto/our-boxen,rwoolley/rdot-boxen,chieping/my-boxen,junior-ales/oh-my-mac,robinbowes/boxen,threetreeslight/my-boxen,jtjurick/DEPRECATED--boxen2,salimane/our-boxen,berryp/my-boxen,user-tony/boxen,felixcohen/my-boxen,femto/our-boxen,jgarcia/turbo-octo-tyrion,whoz51/my-boxen,MayerHouse/our-boxen,bartul/boxen,jeffreybaird/my-boxen,indika/boxen,webbj74/my-boxen,depop/depop-boxen,PKaung/boxen,hussfelt/my-boxen,psi/my-boxen,jwmayfield/my-boxen,sorenmat/boxen,padi/my-boxen,rickard-von-essen/my-boxen,novakps/our-boxen,nonsense/my-boxen,nonsense/my-boxen,cynipe/our-boxen-win,matteofigus/my-boxen,mattr-/our-boxen,inakiabt/boxen-productgram,ddaugher/baseBoxen,LewisLebentz/boxen,prussiap/boxen_dev,ArthurMediaGroup/amg-boxen,yumiyon/my-boxen,jedcn/mac-config,hackers-jp/our-boxen,gregrperkins/boxen,mvandevy/our-boxen,goatsweater/boxen-bellerophon,evalphobia/my-boxen,TaylorMonacelli/our-boxen,take/boxen,schani/xamarin-boxen,ebruning/boxen,adasescu/asl-boxen,AlabamaMike/my-boxen,robbiegill/a-boxen,erivello/my-boxen,cyberrecon/boxen,winklercoop/boxen,arron-green/my-boxen,jrrrd/butthole,rickard-von-essen/my-boxen,GrandSlam/my-boxen,skothavale/workboxen,braitom/my-boxen,sfcabdriver/sfcabdriver-boxen,mpherg/boxen,tangadev/our-boxen,acmcelwee/my-boxen,karrde00/oberd-boxen,Tombar/our-boxen,hparra/my-boxen,fboyer/boxen,nithyan/rcc-boxen,matteofigus/my-boxen,spacepants/my-boxen,amitmula/boxen-test,chrisng/boxen,bartvanremortele/my-boxen,friederikewild/boxen,ChrisWeiss/our-boxen,grahambeedie/my-boxen,lynndylanhurley/lynn-boxen,josemvidal/my-boxen,italoag/boxen,hernandezgustavo/boxenTest,jldbasa/boxen,albac/my-boxen,oddhill/oddboxen,ozw-sei/boxen,chieping/my-boxen,ryanorsinger/boxen,novakps/our-boxen,ballyhooit/boxen,href/boxen,daviderwin/boxen,reon7902/boxen,kvalle/my-boxen,scobal/boxen,davidmyers9000/my-boxen,itismadhan/boxen,jtjurick/boxen-custom,jacobtomlinson/my-boxen,TechEnterprises/our-boxen,rudymccomb/my-boxen15,wln/my-boxen,kieran-bamforth/our-boxen,tjws052009/ts_boxen,mircealungu/mir-boxen,enriqueruiz/ninja-boxen,mediba-Kitada/mdev3g-boxen,namesco/our-boxen,devpg/my-boxen,phathocker/loxen-phathocker,glarizza/my-boxen,dstack27/MyBoxenBootstrap,spazm/our-boxen,shadowmaru/my-boxen,nonsense/my-boxen,quintel/boxen,smcingvale/my-boxen,changtc8/changtc8-boxen,julzhk/myboxen,ryanwalker/my-boxen,Shekharv/open,jodylent/boxen,brotherbain/testboxen,salekseev/boxen,RaginBajin/my-osx-setup,rozza/my-boxen,jdhom/my-boxen,josemarluedke/my-boxen,hwhelchel/boxen,elsom25/secret-dubstep,joelturnbull/our-boxen,takashiyoshida/my-boxen,jtligon/voboxen,mavant/our-boxen,kitatuba/my-boxen,stefanfoulis/divio-boxen,clarkbreyman/my-boxen,vphamdev/boxen,han/hana-boxen,dyoung522/my-boxen,shiftit/our-boxen,vaddirajesh/boxen,TaylorMonacelli/our-boxen,redbarron23/myboxen,chengdh/my-boxen,accessible-ly/myboxen,driverdan/boxen,phamann/guardian-boxen,boskya/my-boxen,StEdwardsTeam/our-boxen,patrickkelso/boxen-test,ChrisMacNaughton/boxen,shrijeet/my-boxen,logicminds/mybox,wkimeria/spectre,jongold/boxen,kPhilosopher/my_boxen,jamesperet/my-boxen,juananruiz/boxen,pearofducks/slappy-testerson,JamshedVesuna/our-boxen,tetsuo692/my-boxen,gravit/boxen,webdizz/my-boxen,jongold/boxen,libk3n/my-boxen,blongden/my-boxen,cmstarks/boxen,weareinstrumental/boxen,cframe/my-boxen,logicminds/mybox,datsnet/My-Boxen,sorenmat/boxen,mikeycmccarthy/our-boxen,hernandezgustavo/boxenTest,xebu/thoughtpanda-boxen,heruan/boxen,nickb-minted/boxen,flannon/boxen-dyson,CheyneWilson/boxen,cdenneen/our-boxen,stephenyeargin/boxen,logicminds/our-boxen,woowee/my-boxen,smh/my-boxen,reon7902/boxen,dstack4273/MyBoxenBootstrap,arjunvenkat/boxen,discoverydev/my-boxen,drom296/boxentest,bytey/boxen,jingweno/owen-boxen,JF0h/boxen2,dbunskoek/boxen,tobyhede/my-boxen,carwin/boxen,sgerrand/our-boxen,seanknox/my-boxen,ChrisWeiss/our-boxen,nagas/my-boxen,slucero/my-boxen,jniesen/my-boxen,myohei/boxen,nspire/our-boxen,discoverydev/my-boxen,tangadev/our-boxen,poochiethecat/my-boxen,jhalter/my-boxen,hk41/my-boxen,elle24/boxen,cander/boxen,manchan/boxen,jacobbednarz/our-boxen,coreone/tex-boxen,hirocaster/boxen,rprimus/my-boxen,seanhandley/my_boxen,dwpdigitaltech/dwp-boxen,robjacoby/my-boxen,kayhide/boxen,pfeff/my-boxen,cerodriguezl/my-boxen,mojao/my-boxen,rogeralmeida/my-boxen,akiellor/our-boxen,rafasf/my-boxen,huyennh/boxen,tam-vo/my-boxen,hemanpagey/heman_boxen,tkayo/boxen,cloudnautique/home-boxen,csaura/my_boxen,rmzi/rmzi_boxen,hmatsuda/my-boxen,randym/boxen,lpmulligan/lpm-boxen,vesan/boxen,carmi/boxen,jeff-french/my-boxen,bazbremner/our-boxen,jjtorroglosa/my-boxen,marcinkwiatkowski/ios-build-boxen,tinygrasshopper/boxen,rudazhan/my-boxen,tarVolcano/my-boxen,bradley/boxen,paolodm/test-boxen,dgiunta/boxen,logikal/boxen,rafaelfranca/my-boxen,rebootd/myboxen,ymmty/my-boxen,Maarc/our-boxen,rfink/my-boxen,ajordanow/our-boxen,cbrock/my-boxen,0xabad1deaf/boxen,kykim/our-boxen,bmihelac/our-boxen,darthmacdougal/boxen,jsmitley/boxen,etaroza/our-boxen,RARYates/my-boxen,zjjw/jjbox,wednesdayagency/boxen,Berico-Technologies/bt-boxen,dannydover/boxen-dover,stedwards/our-boxen,featherweightlabs/our-boxen,yarbelk/boxen,oke-ya/boxen,ynnadrules/neuralbox,ricrios11/Bootstrapping,fusion94/boxen,johnsoga/my_boxen,andschwa/boxen,logicminds/our-boxen,jcarlson/cdx-boxen,clburlison/my-boxen,joelhooks/my-boxen,smasry/our-boxen,brissmyr/my-boxen,karmicnewt/newt-boxen,openfcci/our-boxen,azumafuji/boxen,csaura/my_boxen,otternq/our-boxen,kyosuke/my-boxen,mmickan/our-boxen,zooland/boxen,412andrewmortimer/my-boxen,molst/our-boxen,middle8media/myboxen,egeek/boxen,zywy/boxen,ricrios11/Bootstrapping,g12r/bx,tarVolcano/my-boxen,jcinnamond/my-boxen,jonatanmendozaboxen/platformboxen,kyohei-shimada/my-boxen,EmptyClipGaming/our-boxen,delba/boxen,Genki-S/boxen,Ditofry/dito-boxen,AntiTyping/boxen-workstation,alphagov/gds-boxen,DylanSchell/boxen,unasuke/unasuke-boxen,antigremlin/my-boxen,fasrc/boxen,blamarvt/boxen,gl0wa/my-boxen,eliperkins/my-boxen,lorn/lorn-boxen,bolasblack/boxen,musha68k/my-boxen,zach-hu/boxen,mkilpatrick/boxen_test,riethmayer/my-boxen,shimbaco/my-boxen,belighted/our-boxen,atomaka/my-boxen,mdepuy/boxen,RARYates/my-boxen,christopher-b/boxen,fluentglobe/our-boxen,noahrc/boxen,shaokun/boxen,robjacoby/my-boxen,ryanycoleman/my-boxen,sqki/boxen,jhalstead85/boxen,friederikewild/boxen,winklercoop/boxen,albertofem/boxen,JF0h/boxen,zamoose/boxen,stoeffel/our-boxen,petronbot/our-boxen,takezou/boxen,rhussmann/boxen,cframe/my-boxen,delba/boxen,felipecvo/my-boxen,fluentglobe/our-boxen,jamesperet/my-boxen,ugoletti/my-boxen,DylanSchell/boxen,andrewdlong/boxen,patrikbreitenmoser/my_boxen,jabley/our-boxen,mkilpatrick/boxen_test,seancallanan/my-boxen,cnachtigall/boxen,Maarc/our-boxen,indika/boxen,CheyneWilson/boxen,atayarani/myboxen,manolin/manolin-boxen,rperello/boxenized,kmohr/my-boxen,neotag/neotag-boxen,pathable/pathable-boxen,mikedename/myboxen,mpemer/boxen,brissmyr/my-boxen,MAECProject/maec-boxen,deone/boxen,gregimba/boxen-personal,kosmotaur/boxen,jrrrd/butthole,n0ts/our-boxen,jeffremer/boxen,bkreider/boxen,gf1730/boxen,deline/boxen,haeronen/my-boxen,ryotarai/my-boxen,jhalter/my-boxen,femto/our-boxen,FrancisVarga/dev-boxen,rudymccomb/my-boxen17,jonmosco/boxen-test,mikecardii/nerdboxen,alexmuller/personal-boxen,delba/boxen,baek-jinoo/my-boxen,boxen/our-boxen,JanGorman/my-boxen,inakiabt/boxen-productgram,testboxenmissinformed/boxen-test,raychouio/Boxen,jamesblack/frontier-boxen,sfwatergit/sfboxen,bash0C7/my-boxen,mohamedhaleem/myboxen,magicmonty/our-boxen,xudejian/myboxen,christian-blades-cb/blades-boxen,geapi/boxen,miguelalvarado/my-boxen,jorgemancheno/boxen,jeffleeismyhero/our-boxen,Couto/my-boxen,Ganonside/ganon-boxen,xenolf/real-boxen,dmccown/boxen,cubicmushroom/our-boxen,mrbrett/bretts-boxen,iowillhoit/boxen,xebu/thoughtpanda-boxen,ldickerson/Boxen,mattr-/our-boxen,zakuni/my-boxen,mefellows/my-boxen,alecklandgraf/boxen,jcfigueiredo/boxen,atty303/boxen,koppacetic/myboxen,molst/our-boxen,levithomason/my-boxen,Contegix/puppet-boxen,jeffleeismyhero/boxen,villamor/villamor-boxen,kallekrantz/boxen,kengos/boxen,erickreutz/our-boxen,kykim/our-boxen,Fidzup/our-boxen,carmi/boxen,jp-a/boxen,railslove/our-boxen,nagas/my-boxen,salekseev/boxen,liatrio/our_boxen,aa2kids/aa2kids-boxen,jacebrowning/my-boxen,bartul/boxen,JF0h/boxen,lonnen/base-boxen,AVVS/boxen,bitbier/my-boxen,catesandrew/cates-boxen,iorionda/my-boxen,bytey/boxen,nathankot/our-boxen,keynodes/my-boxen,arjunvenkat/boxen,aa2kids/aa2kids-boxen,wbs75/myboxen_yosemite,sfwatergit/sfboxen,jeffremer/boxen,AVVS/boxen,fpaula/my-boxen,yuma-iwasaki/my-boxen,adamchandra/my-boxen,MayerHouse/our-boxen,oddhill/oddboxen,brianluby/boxen,zacharyrankin/my-boxen,justinberry/justin-boxen,bazbremner/our-boxen,CaseyLeask/my-boxen,eadmundo/my-boxen,josharian/our-boxen,mmrobins/my-boxen,kengos/boxen,nfaction/boxen,driverdan/boxen,leed71/boxen,tatsuma/boxen,leehanel/my_boxen,aeikenberry/boxen-for-me,wcorrigan/myboxen,rafaelportela/my-boxen,DennisDenuto/our-boxen,gato-omega/my-boxen,thomaswelton/boxen,mitsurun/my-boxen,davidpelaez/myboxen,tcarmean/my-boxen,sharpwhisper/our-boxen,mtakezawa/our-boxen,debona/my-boxen,micahroberson/boxen,dpnl87/boxen,bwl/bwl-boxen,takashi/my-boxen,weiliv/boxen,jonkessler/boxen,smozely/our-boxen,ggoodyer/boxen,mongorian-chop/boxen,apto-as/my_boxen,SudoNikon/boxen,outrunthewolf/outrunthewolf-boxen,zovafit/our-boxen,baseboxorg/basebox-dev,onewheelskyward/boxen,warrenbailey/ons-boxen,reon7902/boxen,stickyworld/boxen,logikal/boxen,ccelebi/boxen,ndelage/boxen,ajordanow/our-boxen,middle8media/myboxen,wideopenspaces/jake-boxen,rafaelportela/my-boxen,tobyhede/my-boxen,ccelebi/boxen,patrikbreitenmoser/my_boxen,russ/boxen,joshuaess/my-boxen,haelmy/my-boxen,jp-a/boxen,segu/my-boxen,bayster/boxen,smcingvale/my-boxen,meestaben/our-boxen,BuddyApp/our-boxen,xudejian/myboxen,pattichan/boxen,s-ashwinkumar/test_boxen,ldickerson/Boxen,alphagov/gds-boxen,loregood/boxen,jedcn/mac-config,mbraak/my-box,losthyena/my-boxen,chris-horder/boxen,matteofigus/my-boxen,ysoussov/mah-boxen,yanap/our-boxen,hirocaster/boxen,ohwakana/my-boxen,jcowhigjr/our-boxen,fusion94/boxen,stephenyeargin/boxen,kchygoe/my-boxen,dvberkel/luminis-boxen-dev,sigriston/my-boxen,chengdh/my-boxen,bagodonuts/scatola-boxen,gregimba/boxen-personal,lukwam/boxen,rgpretto/my-boxen,panderp/boxen,distributedlife/boxen,bentrevor/my-boxen,thorerik/our-boxen,stereobooster/my-boxen,scoutbrandie/my-boxen,rudymccomb/my-boxen,sreeramanathan/my-boxen,zachahn/our-boxen,mongorian-chop/boxen,ykt/boxen-silverbox,maxdeviant/boxen,jdigger/boxen,filipebarcos/filipebarcos-boxen,jpamaya/myboxen,randym/boxen,makersacademy/our-boxen,marano/my-boxen,shimbaco/my-boxen,ericpfisher/boxen,pfeff/my-boxen,anantkpal/our-boxen,cogfor/boxen,tfnico/my-boxen,brendancarney/my-boxen,lacroixdesign/our-boxen,puppetlabs/eduteam-boxen,xebu/boxen-minimal,railslove/our-boxen,huan/my-boxen,TinyDragonApps/boxen,jwalsh/jwalsh-boxen,chris-horder/boxen,dfwarden/my-boxen,vkrishnasamy/vkboxen,anuforok/HQ,jamesperet/my-boxen,nixterrimus/boxen,gdks/our-boxen,bytey/boxen,nickpellant/our-boxen,hwhelchel/boxen,rancher/boxen,jkongie/my-boxen,ryanycoleman/my-boxen,jhalstead85/boxen,gravit/boxen,bradleywright/my-boxen,socialstudios/boxen,weyert/boxen,weiliv/boxen,n0ts/our-boxen,jtjurick/DEPRECATED--boxen,lumannnn/boxen,heptat/boxen,nickb-minted/boxen,niallmccullagh/our-boxen,mickengland/boxen,mrchrisadams/mrchrisadamsboxen,charleshbaker/chb-boxen,davidcunningham/my-boxen,whharris/boxen,adityatrivedi/boxen,sjoeboo/boxen,Tombar/our-boxen,hydradevelopment/our-boxen,tcarmean/yosemite-boxen,tetsuo6666/tetsuo-boxen,mrbrett/bretts-boxen,joshbeard/boxen,mootpointer/my-boxen,devboy/our-boxen,joelchelliah/sio-boxen,jdwolk/my-boxen,rafaelportela/my-boxen,nagas/my-boxen,codekipple/my-boxen,masawo/my-boxen,jcowhigjr/my-boxen,TaylorMonacelli/our-boxen,Yeriwyn/my-boxen,apackeer/my-boxen-old,baek-jinoo/my-boxen,takashiyoshida/my-boxen,jeffremer/boxen,hk41/my-boxen,kajohansen/our-boxen,etaroza/our-boxen,merikan/my-boxen,anicet/boxen,calorie/my-boxen,alexfish/boxen,HalfdanJ/Boxen,pingpad/boxen,ysoussov/boxenz,zachseifts/boxen,daviderwin/boxen,tylerbeck/my-boxen,Tr4pSt3R/boxen,agilecreativity/boxen-2015,micahroberson/boxen,mingderwang/our-boxen,voidraven2/boxen,jodylent/boxen,manbous/my-boxen,anantkpal/our-boxen,tooky/boxen,raganw/my-boxen,nithyan/rcc-boxen,jcvanderwal/boxen,ndelage/boxen,kcmartin/our-boxen,djui/boxen,jbennett/our-boxen,taylorzane/adelyte-boxen,nickb-minted/boxen,masutaka/my-boxen,rolfvandekrol/my-boxen,exedre/my-boxen,stickyworld/boxen,sepeth/my-boxen,billputer/bill-boxen,wesen/our-boxen,jcfigueiredo/boxen,alecklandgraf/boxen,TechEnterprises/our-boxen,mmickan/our-boxen,charleshbaker/chb-boxen,outrunthewolf/outrunthewolf-boxen,akiomik/my-boxen,href/boxen,w4ik/millermac-boxen,chriswk/myboxen,yuma-iwasaki/my-boxen,zachahn/our-boxen,darthmacdougal/boxen,tarebyte/my-boxen,sveinung/my-boxen,cmonty/my-boxen,mootpointer/my-boxen,waisbrot/boxen,concordia-publishing-house/boxen,jacobbednarz/our-boxen,alexfish/boxen,ktrujillo/boxen,hydra1983/my-boxen,satiar/arpita-boxen,sjoeboo/boxen,RossKinsella/our-boxen,leanmoves/boxen,anuforok/HQ,potix2/my-boxen,mozilla/ambient-boxen,hjuutilainen/myboxen,kieran-bamforth/our-boxen,pearofducks/slappy-testerson,jeffleeismyhero/our-boxen,garycrawford/my-boxen,krohrbaugh/my-boxen,tetsuo692/my-boxen,tcarmean/my-boxen,msaunby/our-boxen,christopher-b/boxen,geapi/boxen,lynndylanhurley/lynn-boxen,leandroferreira/boxen,pamo/boxen-mini,dwpdigitaltech/dwp-boxen,thenickcox/my_boxen,kevronthread/boxen-test,motns/my-boxen,barkingiguana/our-boxen,calebrosario/boxen,robinbowes/boxen,scopp/boxen,sylv3rblade/indinero-boxen,jingweno/owen-boxen,nullus/boxen,netpro2k/my-boxen,smozely/our-boxen,miguelespinoza/boxen,anantkpal/our-boxen,rvora/rvora-boxen,glarizza/my-boxen,adaptivelab/our-boxen,vshu/vshu-boxen,kizard09/my-boxen,PopShack/boxen,rtircher/my-boxen,deline/boxen,bitbier/my-boxen,mly1999/my-boxen,CaseyLeask/my-boxen,TechEnterprises/our-boxen,pavankumar2203/MacBoxen,mediasuitenz/our-boxen-xcode5.1,cyberrecon/boxen,SBoudrias/my-boxen,sorenmat/our-boxen,pathable/pathable-boxen,Dmetmylabel/labelweb-boxen,zach-hu/boxen,ckesurf/patch-boxen,kchygoe/my-boxen,drmaruyama/my-boxen,natewalck/my-boxen,wheresjim/my-boxen,BenjMichel/our-boxen,jonnangle/my-boxen,blangenfeld/boxen,chinafanghao/forBoxen,RohitUdayTalwalkar/IndexBoxen,maxwellwall/boxentest,leonardoobaptistaa/my-boxen,smasry/our-boxen,terbolous/our-boxen,RossKinsella/our-boxen,josemarluedke/my-boxen,ebruning/boxen,ngalchonkova/lohika,fredva/my-boxen,micalexander/boxen,agilecreativity/boxen-2015,jcfigueiredo/boxen,sorenmat/our-boxen,kyletns/boxen,gyllen/boxen,mohamedhaleem/myboxen,jsmitley/boxen,ssabljak/my-boxen,cmckni3/my-boxen,huit/cloudeng-boxen,pseudomuto/boxen,seb/boxen,traethethird/boxen-python,weyert/boxen,wmadden/boxen,hgsk/my-boxen,mingderwang/our-boxen,dpnl87/boxen,riethmayer/my-boxen,mainyaa/boxen,shrijeet/my-boxen,mickengland/boxen,jcowhigjr/my-boxen,juliogarciag/boxen-box,vipulnsward/boxen-repo,rapaul/my-boxen,XiaoYy/boxen,xcompass/our-boxen,onewheelskyward/boxen,bobisjan/boxen,jervi/my-boxen,netpro2k/my-boxen,tgarrier/boxen,aibooooo/boxen,halyard/halyard,shrijeet/my-boxen,TinyDragonApps/boxen,daviderwin/boxen,garetjax-setup/my-boxen,philipsdoctor/try-boxen,karrde00/oberd-boxen,bobisjan/boxen,crpdm/our-boxen,cloudnautique/home-boxen,paolodm/test-boxen,designbyraychou/boxen,tonywok/tonywoxen,atsuya046/my-boxen,marcovanest/boxen,hkaju/boxen,bgerstle/my-boxen,marcinkwiatkowski/ios-build-boxen,tsphethean/my-boxen,terbolous/our-boxen,kieranja/mac,riveramj/boxen,jniesen/my-boxen,josharian/our-boxen,cerodriguezl/my-boxen,kdimiche/boxen,haelmy/my-boxen,cbi/cbi-boxen,rudymccomb/my-boxen17,pekepeke/boxen,ericpfisher/boxen,adelegard/my_boxen,mirkokiefer/mirkos-boxen,ap1kenobi/my-boxen,egeek/boxen,benja-M-1/my-boxen,mirkokiefer/mirkos-boxen,natewalck/my-boxen,joeybaker/boxen-personal,mztaylor/our_boxen,pathable/pathable-boxen,apeeters/boxen,lumannnn/boxen,jenscobie/our-boxen,zooland/our-boxen,wmadden/boxen,massiveclouds/boxen,cdenneen/our-boxen,jacderida/boxen,faizhasim/our-boxen,andrzejsliwa/our-boxen,Mizune/boxen,ronco/my-tomputor,mozilla/ambient-boxen,jypandjio/my-boxen,outrunthewolf/outrunthewolf-boxen,geapi/boxen,met-office-lab/our-boxen,ozw-sei/boxen,jwalsh/jwalsh-boxen,chai/boxen,masutaka/my-boxen,GoodDingo/my-boxen,msuess/my-boxen,jp-a/boxen,elbuo8/boxen,tkayo/boxen,charleshbaker/chb-boxen,sleparc/my-boxen,jacksingleton/our-boxen,Couto/my-boxen,antigremlin/my-boxen,brianluby/boxen,fefranca/boxen,wln/my-boxen,bd808/my-boxen,dspeele/boxen,MrBri/a-go-at-boxen,tomiacannondale/our-boxen,adasescu/asl-boxen,zywy/boxen,kengos/boxen,kwiss/hooray-boxen,rickard-von-essen/my-boxen,sahilm/boxen,bigashman/boxen,gl0wa/my-boxen,carwin/boxen,niallmccullagh/our-boxen,adwitz/boxen-setup,bartekrutkowski/our-boxen,crizCraig/boxen,usmanismail/boxen,jjperezaguinaga/frontend-boxen,alserik/a-boxen,skothavale/workboxen,rudazhan/my-boxen,dfwarden/my-boxen,davidcunningham/my-boxen,mtakezawa/our-boxen,kthukral/my-boxen,onewheelskyward/boxen,trvrplk/my-boxen,ktrujillo/boxen,poochiethecat/my-boxen,tjws052009/ts_boxen,fredva/my-boxen,jasonamyers/my-boxen,alvinlai/boxen,jdigger/boxen,xebu/boxen-minimal,smasry/our-boxen,brettswift/bs_boxen,ONSdigital/ons-boxen,jasonamyers/our-boxen,julson/my-boxen,Tombar/our-boxen,wbs75/myboxen_yosemite,yamayo/boxen,pattichan/boxen,libdx/my-boxen,hirocaster/our-boxen,webtrainingmx/boxen-teacher,nrako/my-boxen,Tr4pSt3R/boxen,cogfor/boxen,vesan/boxen,platanus/our-boxen,ktec/boxen-laptop,brettswift/bs_boxen,AV4TAr/MyBoxen,kieran-bamforth/our-boxen,professoruss/russ_boxen,jervi/my-boxen,ysoussov/boxenz,rogeralmeida/my-boxen,hamazy/my-boxen,jenscobie/our-boxen,NoUseFreak/our-boxen,cannfoddr/Our-Boxen,noahrc/boxen,libk3n/my-boxen,vshu/vshu-boxen,kevcolwell/Boxen,makersacademy/our-boxen,AVVSDevelopment/boxen,jchris/my-boxen,makersquare/student-boxen,davidpelaez/myboxen,tfhartmann/boxen,tooky/boxen,pavankumar2203/MacBoxen,typhonius/boxen,RaginBajin/my-osx-setup,danpalmer/boxen,loregood/boxen,amitmula/boxen-test,matildabellak/my-boxen,dansmithy/danny-boxen,chrissav/2u_boxen,slucero/my-boxen,korenmiklos/my-boxen,mjason/mjboxen,apotact/boxen,jedcn/mac-config,liatrio/our_boxen,AVVSDevelopment/boxen,artemdinaburg/boxentest,seehafer/boxen,mhkt/my-boxen,rumblesan/my-boxen,Menain/mac,cannfoddr/Our-Boxen,tobyhede/my-boxen,seanknox/exygy-boxen,rafaelfranca/my-boxen,hamazy/my-boxen,jabley/our-boxen,dspeele/boxen,yanap/our-boxen,kvalle/my-boxen,rayward/our-boxen,zenstyle-inc/our-boxen,mpherg/boxen,Couto/my-boxen,am/our-boxen,barm4ley/crash_analyzer_boxen,kevintfly/boxen_test,borcean/my-boxen,jcowhigjr/our-boxen,sr/laptop,pekepeke/boxen,fbernitt/our-boxen,hiroooo/boxen,kakuda/my-boxen,zacharyrankin/my-boxen,lukwam/boxen,bd808/my-boxen,phase2/our-confroom-boxen,greatjam/boxenbase,mavant/our-boxen,Mizune/boxen,cnachtigall/boxen,andrzejsliwa/our-boxen,benja-M-1/my-boxen,jamielennox1/boxen,AngeloAballe/Boxen,krajewf/my-boxen,Sugitaku/my-boxen,samant/boxen,leanmoves/boxen,thuai/boxen,kizard09/my-boxen,zjjw/jjbox,dbunskoek/boxen,ChrisMacNaughton/boxen,jhuston/our-boxen,Tombar/boxen-test,jonmosco/boxen-test,snieto/boxen,href/boxen,lsylvester/boxen,kenmazaika/firehose-boxen,tsphethean/my-boxen,mozilla/ambient-boxen,cph/boxen,cframe/my-boxen,WeAreMiles/myBoxen,blamattina/my-boxen,nikersch/junxboxen,raymaung/ray-boxen,billyvg/my-boxen,namesco/our-boxen,openfcci/our-boxen,nikersch/junxboxen,rickyp72/rp_boxen,libk3n/my-boxen,hiroooo/boxen,vaddirajesh/boxen,fboyer/boxen,julienlavergne/my-boxen,jhonathas/boxen,raymaung/ray-boxen,rfink/my-boxen,caciasmith/my-boxen,domingusj/our-boxen,seanknox/exygy-boxen,jbecker42/boxen,blamattina/our-boxen,AlabamaMike/my-boxen,haeronen/my-boxen,davidpelaez/myboxen,darkseed/boxen,jantman/boxen,massiveclouds/boxen,niallmccullagh/our-boxen,dax70/devenv,gravit/boxen,danielrob/my-boxen,eddieridwan/my-boxen,heflinao/boxen,yamayo/boxen,mjason/mjboxen,levithomason/my-boxen,jonnangle/my-boxen,jpogran/puppetlabs-boxen,srclab/our-boxen,mhan/my-boxen,ArpitJalan/boxen,ItGumby/boxen,padwasabimasala/my-boxen,ryotarai/my-boxen,kyosuke/my-boxen,alexmuller/personal-boxen,billputer/bill-boxen,theand/our-boxen,vshu/vshu-boxen,aedelmangh/thdboxen,jgrau/my-boxen,Menain/mac,itismadhan/boxen,1gitGrey/boxen015,thesmart/UltimateChart-Boxen,lukwam/boxen,haelmy/my-boxen,kevcolwell/Boxen,dannyviti/our-boxen,felipecvo/my-boxen,alf/boxen,febbraro/our-boxen,hkaju/boxen,whoz51/my-boxen,rayward/our-boxen,juherpin/myboxen,hkaju/boxen,jypandjio/my-boxen,mikecardii/nerdboxen,mirajsanghvi/boxen_tidepool,panderp/my-boxen,BillWeiss/boxen,Traxmaxx/my-boxen,cregev/our-boxen,lgaches/boxen,pedro-mass/boxentest,weareinstrumental/boxen,hirocaster/boxen,kcmartin/our-boxen,billyvg/my-boxen,kevintfly/boxen_test,JamshedVesuna/our-boxen,rob-murray/my-osx,met-office-lab/our-boxen,mly1999/my-boxen,w4ik/millermac-boxen,ta9o/our-boxen,nspire/our-boxen,kennyg/our-boxen,jkongie/my-boxen,allanma/BBoxen,wesscho/boxen,ap1kenobi/my-boxen,nanoxd/our-boxen,seanknox/exygy-boxen,nejoshi/boxen,bradleywright/my-boxen,kyletns/boxen,montyzukowski-temboo/our-boxen,buritica/our-boxen,ryanswood/our-boxen,jamesvulling/my-boxen,lumannnn/boxen,viztor/boxen,kskotetsu/my-boxen,judytuna/boxen-judy,smozely/our-boxen,AntiTyping/boxen-workstation,fboyer/boxen,justinmeader/whipple-boxen,rperello/boxenized,depop/depop-boxen,ryan-robeson/osx-workstation,norisu0313/my-boxen,joshbeard/boxen,socialstudios/boxen,vtlearn/boxen,cbi/cbi-boxen,crizCraig/boxen,applidium-boxen/our-boxen,ralphreid/boxen,nicolasbrechet/our-boxen,radeksimko/our-boxen,mohamedhaleem/myboxen,thomaswelton/old-boxen,nejoshi/boxen,jcinnamond/my-boxen,barklyprotects/our-boxen,jdigger/boxen,vphamdev/boxen,crpeck/boxen,rolfvandekrol/my-boxen,syossan27/my-boxen,wongyouth/boxen,aeikenberry/boxen-for-me,gregorylloyd/our-boxen,iowillhoit/boxen,ssabljak/my-boxen,dolhana/my-boxen,samsonnguyen/solium-boxen,sr/laptop,staxmanade/boxen-vertigo,mainyaa/boxen,dyoung522/my-boxen,panderp/boxen,weyert/my-boxen,katryo/boxen_katryo,Tombar/boxen-test,flannon/boxen-dyson,AVVS/boxen,Jaco-Pretorius/Workstation,jcarlson/cdx-boxen,mbraak/my-box,BuddyApp/our-boxen,Contegix/puppet-boxen,blamattina/our-boxen,jandoubek/boxen,middle8media/myboxen,cqwense/our-boxen,keynodes/my-boxen,nimashariatian/our-boxen,danpalmer/boxen,schlick/my-boxen,mediba-Kitada/mdev3g-boxen,theand/our-boxen,aibooooo/boxen,ngalchonkova/lohika,miguelscopely/boxen,peterwardle/boxen,phase2/our-confroom-boxen,josemarluedke/neighborly-boxen,gsamokovarov/my-boxen,jiamat/dragonbox,kidylee/our-boxen,flannon/boxen-dyson,netdev/our-boxen,scopp/boxen,webtrainingmx/boxen-teacher,narze/our-boxen,leandroferreira/boxen,rvora/rvora-boxen,sr/laptop,flyingbuddha/boxen,rancher/boxen,stuartcampbell/my-boxen,taylorzane/adelyte-boxen,nevstokes/boxen,zer0bytescorp/boxen,bazbremner/our-boxen,surfacedamage/boxen,drewtempelmeyer/boxen,sreeramanathan/my-boxen,atsuya046/my-boxen,garycrawford/my-boxen,hjuutilainen/myboxen,conatus/boxen,steffengodskesen/my-boxen,felixcohen/my-boxen,exedre/my-boxen,zooland/boxen,ta9o/our-boxen,katryo/boxen_katryo,testboxenmissinformed/boxen-test,cawhite78/corey-boxen,juliogarciag/boxen-box,julson/my-boxen,jfx41/voraa,MattParker89/MyBoxen,clarkbreyman/my-boxen,pagrawl3/boxen,montyzukowski-temboo/our-boxen,alainravet/our-boxen,psi/my-boxen,cloudfour/cloudfour-boxen,scottstanfield/boxen,Contegix/puppet-boxen,apotact/boxen,losthyena/my-boxen,jrrrd/butthole,john-griffin/boxen,anicet/boxen,hirose504/boxen,ArpitJalan/boxen,0xabad1deaf/boxen,abuxton/our-boxen,nejoshi/boxen,mpemer/boxen,jtligon/voboxen,1gitGrey/boxen015,ronco/my-tomputor,rujiali/ibis,mgibson/boxen-dec-2013,arron-green/my-boxen,thuai/boxen,jiananlu/our-boxen,josemarluedke/neighborly-boxen,drom296/boxentest,k-nishijima/our-boxen,cnachtigall/boxen,mdavezac/our-boxen,hakamadare/our-boxen,poetic/our-boxen,usmanismail/boxen,jpamaya/myboxen,manbous/my-boxen,drmaruyama/my-boxen,yss44/my-boxen,thejonanshow/my-boxen,mojao/my-boxen,alvinlai/boxen,rperello/boxenized,cmpowell/boxen,seanknox/my-boxen,flannon/dh-boxen,Genki-S/boxen,nimashariatian/our-boxen,macasek/my_boxen,mnussbaum/my_boxen,scottgearyau/boxen,afmacedo/boxen,djui/boxen,zaphod42/my-boxen,eschapp/boxen,enigmamarketing/boxen,dspeele/boxen,brotherbain/testboxen,Lavoaster/our-boxen,ralphreid/my_boxen,chrisng/boxen,ggoodyer/boxen,beefeng/my-boxen,ggoodyer/boxen,sreid/my-boxen,designbyraychou/boxen,dannyviti/our-boxen,myohei/boxen,meestaben/our-boxen,mnussbaum/my_boxen,nevstokes/boxen,met-office-lab/our-boxen,jdhom/my-boxen,vinhnx/my-boxen,kennyg/our-boxen,douglasnomizo/myboxen,geekles/my-boxen,scobal/boxen,garethr/my-boxen,changtc8/changtc8-boxen,bradleywright/my-boxen,meatherly/my-boxen,matthew-andrews/my-boxen,flannon/boxen-kenny,filaraujo/.boxen,fefranca/boxen,erivello/my-boxen,conatus/boxen,steffengodskesen/my-boxen,eschapp/boxen,mwermuth/our-boxen,gravityrail/our-boxen,valencik/Boxenhops,noriaki/my-boxen,weyert/my-boxen,zywy/boxen,sgerrand/our-boxen,atmos/our-boxen,mruser/boxen,hmatsuda/my-boxen,jcinnamond/my-boxen,goxberry/tmux-boxen,LewisLebentz/boxen,ralphreid/my_boxen,mmasashi/my-boxen,zach-hu/boxen,villamor/villamor-boxen,kieran-bamforth/our-boxen,bartvanremortele/my-boxen,jasonamyers/my-boxen,seancallanan/my-boxen,ktec/boxen-laptop,Fidzup/our-boxen,korenmiklos/my-boxen,weareinstrumental/boxen,FrancisVarga/dev-boxen,yamayo/boxen,threetreeslight/my-boxen,trvrplk/my-boxen,mmunhall/boxen-dev,KazukiOhashi/my-boxen,lgaches/boxen,hakamadare/our-boxen,clarkbreyman/my-boxen,ofl/my-boxen,nicknovitski/my-boxen,andschwa/boxen,ryanwalker/my-boxen,zovafit/our-boxen,flannon/boxen-kenny,mircealungu/mir-boxen,afmacedo/boxen,krajewf/my-boxen,masutaka/my-boxen,stefanfoulis/divio-boxen,rusty0606/my-boxen,russ/boxen,tylerbeck/my-boxen,barkingiguana/our-boxen,fukayatsu/my-boxen,rootandflow/our-boxen,lotsofcode/my-boxen,kennyg/our-boxen,devpg/my-boxen,domingusj/our-boxen,enriqueruiz/ninja-boxen,moriarty/my-boxen,webtrainingmx/boxen-teacher,nicsnet/our-boxen,tcarmean/yosemite-boxen,weih/boxen,bluesalt/my-boxen,bradwright/my-boxen,pizzaops/drunken-tribble,ryan-robeson/osx-workstation,dyoung522/my-boxen,kholloway/our-boxen,marzagao/our-boxen,plyfe/our-boxen,manchan/boxen,malt3/boxen-test,cregev/our-boxen,dax70/devenv,hydradevelopment/our-boxen,JF0h/boxen2,SudoNikon/boxen,scoutbrandie/my-boxen,aestrea/aestrea-boxen,Americastestkitchen/our-boxen,andhansen/uwboxen,leanmoves/boxen,nimashariatian/our-boxen,NoUseFreak/our-boxen,codekipple/my-boxen,jfx41/voraa,accessible-ly/myboxen,cleblanc87/boxen,hirose504/boxen,flyingbuddha/boxen,gaishimo/my-boxen,davidmyers9000/my-boxen,rwoolley/rdot-boxen,mattgoldspink/personal-boxen,xenolf/real-boxen,kakuda/my-boxen,rtircher/my-boxen,cdenneen/our-boxen,1337807/my-boxen,hjfbynara/hjf-boxen,akiomik/my-boxen,bauricio/my-boxen,bgerstle/my-boxen,nathankot/our-boxen,sepeth/my-boxen,keynodes/my-boxen,fbernitt/our-boxen,leveragei/boxen,elsom25/secret-dubstep,sfcabdriver/sfcabdriver-boxen,xebu/thoughtpanda-boxen,garetjax-setup/my-boxen,Royce/my-boxen,deline/boxen,alexmuller/personal-boxen,kholloway/our-boxen,ryanaslett/mixologic-boxen,nicsnet/our-boxen,yokulkarni/boxen,featherweightlabs/our-boxen,braitom/my-boxen,saicologic/our-boxen,distributedlife/boxen,filaraujo/our-boxen,AnneTheAgile/AnneTheAgile-boxen,wasabi0522/my-boxen,joeybaker/boxen-personal,terbolous/our-boxen,JF0h/boxen,huan/my-boxen,codingricky/my-boxen,rogerhub/our-boxen,nanoxd/our-boxen,yanap/our-boxen,scottstanfield/boxen,carwin/boxen,aisensiy/boxen,samsonnguyen/solium-boxen,rtircher/my-boxen,salekseev/boxen,lixef/my-boxen,sangotaro/my-boxen,portaltechdevenv/tbsdevenvtest,rhussmann/boxen,jeffreybaird/jeffs-boxen,poetic/our-boxen,wbs75/my-boxen,goxberry/tmux-boxen,adaptivelab/our-boxen,hackers-jp/our-boxen,Ceasar/my-boxen,jde/boxen,cutmail/my-boxen,jtjurick/DEPRECATED--boxen2,pamo/boxen-mini,xebu/boxen-experimental,awaxa/awaxa-boxen,DanLindeman/boxen,rayward/our-boxen,aa2kids/aa2kids-boxen,jpogran/puppetlabs-boxen,MrBri/a-go-at-boxen,imdhmd/my-boxen,tkayo/boxen,take/boxen,NoUseFreak/our-boxen,darvin/apportable-boxen,mavant/our-boxen,akiomik/my-boxen,tcarmean/yosemite-boxen,erasmios/deuteron,jasonleibowitz/tigerspike-boxen,bradley/boxen,tafujita/our-boxen,rmjasmin/diablo-boxen,grahamgilbert/my-boxen,webdizz/my-boxen,mpherg/new-boxen,thesmart/UltimateChart-Boxen,kylemclaren/boxen,milan/our-boxen,PKaung/boxen,geoffharcourt/boxen,apeeters/boxen,spikeheap/our-boxen,scottelundgren/my-boxen,ddaugher/baseBoxen,jamielennox1/boxen,mhan/my-boxen,yayao/my-boxen,pheekra/our-boxen,weih/boxen,mdavezac/our-boxen,rgpretto/my-boxen,loregood/boxen,xenolf/real-boxen,mefellows/my-boxen,blueplanet/my-boxen,cmstarks/boxen,tcarmean/my-boxen,taoistmath/USSBoxen,marcinkwiatkowski/ios-build-boxen,nevstokes/boxen,febbraro/our-boxen,juherpin/myboxen,ryanswood/our-boxen,kwiss/hooray-boxen,narze/our-boxen,telamonian/boxen-linux,cloudfour/cloudfour-boxen,klean-software/default-boxen,AV4TAr/MyBoxen,kholloway/our-boxen,avihut/boxen,ustun/boxen,boxen/our-boxen,lenciel/my-box,vincentpeyrouse/my-boxen,abuxton/our-boxen,netdev/our-boxen,justinberry/justin-boxen,redbarron23/myboxen,jeff-french/my-boxen,thuai/boxen,scottelundgren/my-boxen,novakps/our-boxen,davedash/my-boxen,zakuni/my-boxen,mroth/my-boxen,meltmedia/boxen,crizCraig/boxen,codeship/our-boxen,dangig/a1-boxen,milan/our-boxen,danielrob/my-boxen,stereobooster/my-boxen,goatsweater/boxen-bellerophon,julson/my-boxen,kidylee/our-boxen,sylv3rblade/indinero-boxen,elovelan/our-boxen,rmzi/rmzi_boxen,logicminds/our-boxen,kmohr/my-boxen,Americastestkitchen/our-boxen,aeikenberry/boxen-for-me,donmullen/myboxen,klloydh/dynamo-boxen,kthukral/my-boxen,aisensiy/boxen,ynnadrules/neuralbox,yarbelk/boxen,carthik/our-boxen,judytuna/boxen-judy,hakamadare/our-boxen,atayarani/myboxen,jak/boxen,elle24/boxen,arnoldsandoval/our-boxen,nederhrj/boxen,sleparc/my-boxen,tafujita/our-boxen,dbld-org/our-boxen,maarten/our-boxen,seehafer/boxen,bkreider/boxen,bash0C7/my-boxen,ssayre/my-boxen,tarebyte/my-boxen,kseta/my-boxen,EmptyClipGaming/our-boxen,minatsu/my-boxen,wkimeria/boxen_research,ckazu/my-boxen,devpg/my-boxen,msaunby/our-boxen,cawhite78/corey-boxen,flatiron32/boxen,rmjasmin/diablo-boxen,dstack4273/MyBoxenBootstrap,stoeffel/our-boxen,xcompass/our-boxen,hjfbynara/hjf-boxen,rhussmann/boxen,decobisu/my-boxen,kosmotaur/boxen,unasuke/unasuke-boxen,hgsk/my-boxen,siddhuwarrier/my-boxen,ralphreid/boxen,newta/my-boxen,plainfingers/adfiboxen,sqki/boxen,pauldambra/our-boxen,alf/boxen,filaraujo/our-boxen,nealio42/macbookair,febbraro/our-boxen,Jun-Chang/my-boxen,franco/boxen,JF0h/boxen2,justinberry/justin-boxen,mhan/my-boxen,apotact/boxen,zenstyle-inc/our-boxen,rogerhub/our-boxen,SudoNikon/boxen,petronbot/our-boxen,bleech/general-boxen,shao1555/my-boxen,blongden/my-boxen,pictura/pictura-boxen,joseluis2g/my-boxen,seanknox/exygy-boxen,alserik/a-boxen,natewalck/my-boxen,vaddirajesh/boxen,mnussbaum/my_boxen,rexxllabore/localboxen,jkemsley/boxen-def,schani/xamarin-boxen,chai/boxen,cph/boxen,ryanorsinger/boxen,ErikEvenson/boxen,berryp/my-boxen,mwagg/our-boxen,jtjurick/DEPRECATED--boxen,ingoclaro/our-boxen,Jun-Chang/my-boxen,jorgemancheno/boxen,bradwright/my-boxen,moredip/my-boxen,jkongie/my-boxen,mikedename/myboxen,blangenfeld/boxen,jwmayfield/my-boxen,href/boxen,weyert/our-boxen,chollier/my-boxen,radeksimko/our-boxen,thomaswelton/old-boxen,pate/boxen,dfwarden/gsu-boxen,pagrawl3/boxen,rogeralmeida/my-boxen,elsom25/secret-dubstep,crpdm/our-boxen,mhkt/my-boxen,ndelage/boxen,rudymccomb/my-boxen15,1337807/my-boxen,lattwood/boxen,CaseyLeask/my-boxen,philipsdoctor/try-boxen,etaroza/our-boxen,bryfox/foxen-boxen,duboff/alphabox,petems/our-boxen,leonardoobaptistaa/my-boxen,jgarcia/turbo-octo-tyrion,wednesdayagency/boxen,thomaswelton/boxen,macasek/my_boxen,thomjoy/our-boxen,AngeloAballe/Boxen,acmcelwee/my-boxen,codeship/our-boxen,RohitUdayTalwalkar/IndexBoxen,ebruning/boxen,platanus/our-boxen,azumafuji/boxen,Glipho/boxen,AngeloAballe/Boxen,mbraak/my-box,shadowmaru/my-boxen,jacobbednarz/our-boxen,rprimus/my-boxen,datsnet/My-Boxen,libdx/my-boxen,kenmazaika/firehose-boxen,eddieridwan/my-boxen,acarl005/our-boxen,gravityrail/our-boxen,jtjurick/DEPRECATED--boxen2,discoverydev/my-boxen,mcrumm/my-boxen,codekipple/my-boxen,jacksingleton/our-boxen,maarten/our-boxen,ChrisMacNaughton/boxen,johnnyLadders/boxen,han/hana-boxen,ralphreid/my_boxen,cutmail/my-boxen,stephenyeargin/boxen,akiellor/our-boxen,yss44/my-boxen,blackcoffee/boxen,syossan27/my-boxen,cregev/our-boxen,azumafuji/boxen,zovafit/our-boxen,jae2/boxen,maxwellwall/boxentest,samsonnguyen/solium-boxen,dubilla/VTS-Boxen,drmaruyama/my-boxen,thorerik/our-boxen,empty23/myboxen,umi-uyura/my-boxen,takezou/boxen,aedelmangh/thdboxen,bluesalt/my-boxen,chinafanghao/forBoxen,brianluby/boxen,Lavoaster/our-boxen,412andrewmortimer/my-boxen,lenciel/my-box,kevinSuttle/my-boxen,gyllen/boxen,karmicnewt/newt-boxen,hamzarazzak/test_box,snieto/myboxen,jervi/my-boxen,spazm/our-boxen,leveragei/boxen,threetreeslight/my-boxen,scottelundgren/my-boxen,inokappa/myboxen,brendancarney/my-boxen,jldbasa/boxen,kcparashar/boxen,jypandjio/my-boxen,empty23/myboxen,StEdwardsTeam/our-boxen,whharris/boxen,wideopenspaces/jake-boxen,pfeff/my-boxen,flannon/boxen-kenny,decobisu/my-boxen,cynipe/our-boxen-win,jonkessler/boxen,padi/my-boxen,domingusj/our-boxen,pseudomuto/boxen,skyis/gig-boxen,koppacetic/myboxen,dgiunta/boxen,fadingred/red-boxen,jenscobie/our-boxen,cogfor/boxen,nimbleape/example-boxen,avihut/boxen,AntiTyping/boxen-workstation,onedge/my-boxen,datsnet/My-Boxen,rootandflow/our-boxen,w4ik/millermac-boxen,padwasabimasala/my-boxen,stuartcampbell/my-boxen,riveramj/boxen,LewisLebentz/boxen,bagodonuts/scatola-boxen,jingweno/owen-boxen,marr/our-boxen,blacktorn/my-boxen,faizhasim/our-boxen,sangotaro/my-boxen,adamwalz/my-boxen,qmoya/my-boxen,abennet/tools,tdd/my-boxen,bluesalt/my-boxen,fadingred/red-boxen,supernovae/boxen,xebu/boxen-experimental,douglasnomizo/myboxen,fadingred/red-boxen,onedge/my-boxen,girishpandit88/boxen,jjperezaguinaga/frontend-boxen,barklyprotects/our-boxen,thesmart/UltimateChart-Boxen,kseta/my-boxen,jkemsley/boxen-def,devboy/our-boxen,garethr/my-boxen,cloudfour/cloudfour-boxen,danielrob/my-boxen,jeremybaumont/jboxen,zaphod42/my-boxen,hashrock-sandbox/MyBoxen,flatiron32/boxen,ustun/boxen,fpaula/my-boxen,erickreutz/our-boxen,elovelan/our-boxen,user-tony/my-boxen,dbunskoek/boxen,uniite/my-boxen,hkrishna/boxen,digitaljamfactory/boxen,cerodriguezl/my-boxen,jorgemancheno/boxen,jchris/my-boxen,fasrc/boxen,benja-M-1/my-boxen,urimikhli/myboxen,jamsilver/our-boxen,leehanel/my_boxen,chrisklaiber/khan-boxen,dartavion/my-boxen,mlevitt/boxen,heruan/boxen,webbj74/webbj74-boxen,BenjMichel/our-boxen,coreone/tex-boxen,tomiacannondale/our-boxen,mgfreshour/my_boxen,snieto/myboxen,logicminds/mybox,alecklandgraf/boxen,wbs75/my-boxen,blangenfeld/boxen,gaohao/our-boxen,lattwood/boxen,jchris/my-boxen,toocheap/my-boxen,escott-/boxen,neotag/neotag-boxen,hirocaster/our-boxen,ryotarai/my-boxen,tdm00/my-boxen,kayleg/my-boxen,Ceasar/my-boxen,gaishimo/my-boxen,yumiyon/my-boxen,MAECProject/maec-boxen,makersquare/student-boxen,PopShack/boxen,albac/my-boxen,pate/boxen,all9lives/lv-boxen,samant/boxen,jamsilver/our-boxen,Maarc/our-boxen,joe-re/my-boxen,dwpdigitaltech/dwp-boxen,douglasom/railsexperiments,sharpwhisper/our-boxen,allen13/boxen-mac-dev,peterwardle/boxen,levithomason/my-boxen,villamor/villamor-boxen,joshuaess/my-boxen,tangadev/our-boxen,KarolBuchta/boxen,johnnyLadders/boxen,miguelespinoza/boxen,tgarrier/boxen,jbennett/our-boxen,chriswk/myboxen,judytuna/boxen-judy,rapaul/my-boxen,enigmamarketing/boxen,cmonty/my-boxen,artemdinaburg/boxentest,rafaelfelini/my-boxen,ofl/my-boxen,ohwakana/my-boxen,kalupa/my-boxen,tfhartmann/boxen,mrchrisadams/mrchrisadamsboxen,seanknox/my-boxen,baseboxorg/basebox-dev,kalupa/my-boxen,Ganonside/ganon-boxen,JamshedVesuna/our-boxen,jiamat/dragonbox,jeffreybaird/jeffs-boxen,rmzi/rmzi_boxen,tamlyn/boxen,juananruiz/boxen,seb/boxen,clburlison/my-boxen,robinbowes/boxen,kaneshin/boxen,freshvolk/ballin-meme-boxen,rmjasmin/diablo-boxen,kskotetsu/my-boxen,appcues/our-boxen,wongyouth/boxen,dpnl87/boxen,scheibinger/my-boxen,kieranja/mac,mruser/boxen,nik/my-boxen,ryanswood/our-boxen,mwagg/our-boxen,kcparashar/boxen,kevinprince/our-boxen,jde/boxen,padi/my-boxen,sveinung/my-boxen,deone/boxen,thomjoy/our-boxen,socialstudios/boxen,gdks/our-boxen,plainfingers/adfiboxen,adamchandra/my-boxen,taoistmath/USSBoxen,flannon/dh-boxen,DanLindeman/boxen,jheuer/my-boxen,jbennett/our-boxen,stefanfoulis/divio-boxen,tylerbeck/my-boxen,marr/our-boxen,petems/our-boxen,jhonathas/boxen,chollier/my-boxen,ykhs/my-boxen,thorerik/our-boxen,weyert/our-boxen,ombr/our-boxen,buritica/our-boxen,chengdh/my-boxen,fordlee404/code-boxen,mgfreshour/my_boxen,ErikEvenson/boxen,jtao826/mscp-boxen,italoag/boxen,kevinprince/our-boxen,edk/boxen-test,ykt/boxen-silverbox,pattichan/boxen,beefeng/my-boxen,sonnymai/my-boxen,girishpandit88/boxen,rfink/my-boxen,yatatsu/my-boxen,miguelalvarado/my-boxen,dannyviti/our-boxen,namesco/our-boxen,andhansen/uwboxen,bauricio/my-boxen,panderp/my-boxen,filaraujo/our-boxen,jiamat/dragonbox,mmunhall/boxen-dev,potix2/my-boxen,goatsweater/boxen-bellerophon,mgfreshour/my_boxen,iowillhoit/boxen,joeybaker/boxen-personal,xcompass/our-boxen,clburlison/my-boxen,depop/depop-boxen,cbrock/my-boxen,tanihito/my-boxen,awaxa/awaxa-boxen,benwtr/our-boxen,bayster/boxen,ryanaslett/mixologic-boxen,HalfdanJ/Boxen,tamlyn/boxen,cqwense/our-boxen,rafaelfelini/my-boxen,josharian/our-boxen,goncalopereira/boxen,kajohansen/our-boxen,kalupa/my-boxen,markkendall/boxen,cleblanc87/boxen,morganloehr/setup,eadmundo/my-boxen,Berico-Technologies/bt-boxen,karrde00/oberd-boxen,filipebarcos/filipebarcos-boxen,zer0bytescorp/boxen,trvrplk/my-boxen,0xabad1deaf/boxen,vindir/vindy-boxen,snieto/boxen,pauldambra/our-boxen,nederhrj/boxen,bryfox/foxen-boxen,springaki/boxen,Jaco-Pretorius/Workstation,shadowmaru/my-boxen,dstack27/MyBoxenBootstrap,tolomaus/my-boxen,yatatsu/my-boxen,SBoudrias/my-boxen,eliperkins/my-boxen,takezou/boxen,carthik/our-boxen,albertofem/boxen,mmasashi/my-boxen,wesscho/boxen,jamesblack/frontier-boxen,hgsk/my-boxen,rafaelfranca/my-boxen,morgante/boxen-saturn,macboi86/boxen,garycrawford/my-boxen,korenmiklos/my-boxen,missionfocus/mf-boxen,ysoussov/mah-boxen,cmpowell/boxen,cbrock/my-boxen,mdepuy/boxen,topsterio/boxen,gaahrdner/my-boxen,ONSdigital/ons-boxen,ItGumby/boxen,ssayre/my-boxen,lakhansamani/myboxen,vinhnx/my-boxen,phamann/guardian-boxen,hydradevelopment/our-boxen,blueplanet/my-boxen,dfwarden/my-boxen,marcovanest/boxen,jantman/boxen,musha68k/my-boxen,mingderwang/our-boxen,evanchiu/my-boxen,felixclack/my-boxen,aestrea/aestrea-boxen,nfaction/boxen,jeffleeismyhero/our-boxen,thomaswelton/boxen,moveline/our-boxen,ferventcoder/boxen,hemanpagey/heman_boxen,tetsuo6666/tetsuo-boxen,matildabellak/my-boxen,jak/boxen,muuran/my-boxen,chollier/my-boxen,chris-horder/boxen,joelhooks/my-boxen,meltmedia/boxen,tbueno/my-boxen,hirocaster/our-boxen,devnall/boxen,tolomaus/my-boxen,jeffreybaird/my-boxen,anicet/boxen,aestrea/aestrea-boxen,felipecvo/my-boxen,RARYates/my-boxen,XiaoYy/boxen,barm4ley/crash_analyzer_boxen,Ditofry/dito-boxen,dliggat/boxen-old,jgarcia/turbo-octo-tyrion,cubicmushroom/our-boxen,hemanpagey/heman_boxen,nicolasbrechet/our-boxen,KarolBuchta/boxen,SBoudrias/my-boxen,elovelan/our-boxen,mischizzle/boxen,tdd/my-boxen,spuder/spuder-boxen,allen13/boxen-mac-dev,fredoliveira/boxen,joseluis2g/my-boxen,flyingpig16/boxen,rwoolley/rdot-boxen,jamesvulling/my-boxen,moredip/my-boxen,dliggat/boxen-old,nanoxd/our-boxen,adwitz/boxen-setup,warrenbailey/ons-boxen,jasonamyers/our-boxen,onedge/my-boxen,inokappa/myboxen,tinygrasshopper/boxen,bartvanremortele/my-boxen,itismadhan/boxen,losthyena/my-boxen,theand/our-boxen,poochiethecat/my-boxen,trq/my-boxen,smh/my-boxen,blamattina/my-boxen,AnneTheAgile/AnneTheAgile-boxen,amerdidit/my-boxen,goxberry/tmux-boxen,julzhk/myboxen,s-ashwinkumar/test_boxen,klloydh/dynamo-boxen,bradwright/my-boxen,dolhana/my-boxen,chaoranxie/my-boxen,blacktorn/my-boxen,dvberkel/luminis-boxen-dev,digitaljamfactory/boxen,hernandezgustavo/boxenTest,satiar/arpita-boxen,fordlee404/code-boxen,ArthurMediaGroup/amg-boxen,hkrishna/boxen,freshvolk/ballin-meme-boxen,singuerinc/singuerinc-boxen,rob-murray/my-osx,missionfocus/mf-boxen,concordia-publishing-house/boxen,hamzarazzak/test_box,barklyprotects/our-boxen,professoruss/russ_boxen,cph/boxen,weyert/our-boxen,yakimant/boxen,alexfish/boxen,kevinSuttle/my-boxen,joshuaess/my-boxen,donmullen/myboxen,blackcoffee/boxen,zamoose/boxen,mootpointer/my-boxen,am/our-boxen,grahambeedie/my-boxen,dubilla/VTS-Boxen,edk/boxen-test,brettswift/bs_boxen,gabrielalmeida/my-boxen,raganw/my-boxen,vindir/vindy-boxen,norisu0313/my-boxen,jasonleibowitz/tigerspike-boxen,apackeer/my-boxen-old,fukayatsu/my-boxen,riethmayer/my-boxen,nimbleape/example-boxen,mvandevy/our-boxen,thejonanshow/my-boxen,pheekra/our-boxen,didymu5/tommysboxen,spacepants/my-boxen,boxen/our-boxen,macboi86/boxen,tischler/tims-boxen,jeff-french/my-boxen,felho/boxen,cmckni3/my-boxen,tonywok/tonywoxen,toocheap/my-boxen
--- +++ @@ -5,6 +5,8 @@ ```puppet class projects::boxen { + include qt # requires the qt module in Puppetfile + $dir = "${boxen::config::srcdir}/boxen" repository { $dir:
166af23675bcd0453b0da0b1d93d6bb3bb6028d8
apps/account/lib/account/service.ex
apps/account/lib/account/service.ex
defmodule HELM.Account.Service do use GenServer alias HELM.Account alias HELF.Broker alias HELF.Router def start_link(state \\ []) do Router.register("account.create", "account:create") Router.register("account.login", "account:login") Router.register("account.get", "account:get") GenServer.start_link(__MODULE__, state, name: :account_service) end def init(_args) do Broker.subscribe(:account_service, "account:create", call: fn _,_,account,_ -> response = Account.Controller.new_account(account) {:reply, response} end) Broker.subscribe(:account_service, "account:get", call: fn _,_,request,_ -> response = Account.Controller.get(request) {:reply, response} end) Broker.subscribe(:account_service, "account:login", call: fn _,_,account,_ -> response = Account.Controller.login_with(account) {:reply, response} end) # TODO: fix this return {:ok, %{}} end end
defmodule HELM.Account.Service do use GenServer alias HELM.Account alias HELF.Broker alias HELF.Router def start_link(state \\ []) do Router.register("account.create", "account:create") Router.register("account.login", "account:login") Router.register("account.get", "account:get") GenServer.start_link(__MODULE__, state, name: :account_service) end def init(_args) do Broker.subscribe(:account_service, "account:create", call: fn _,_,account,_ -> response = Account.Controller.new_account(account) {:reply, response} end) Broker.subscribe(:account_service, "account:get", call: fn _,_,request,_ -> response = Account.Controller.get(request) {:reply, response} end) Broker.subscribe(:account_service, "account:login", call: fn _,_,account,_ -> response = Account.Controller.login_with(account) {:reply, response} end) {:ok, %{}} end end
Remove wrong todo from `Account.Service`.
Remove wrong todo from `Account.Service`.
Elixir
agpl-3.0
renatomassaro/Helix,HackerExperience/Helix,renatomassaro/Helix,mememori/Helix,HackerExperience/Helix
--- +++ @@ -33,8 +33,6 @@ {:reply, response} end) - # TODO: fix this return {:ok, %{}} end - end
8f84fe5cd431130113928621149bf1ceb3b76c90
scripts/runner.sh
scripts/runner.sh
#!/usr/bin/env bash echo "Fetching credentials from $REGISTRY_USERS" curl -o /etc/nginx/.htpasswd $REGISTRY_USERS /usr/sbin/nginx -c /etc/nginx/nginx.conf
#!/usr/bin/env bash echo "Fetching credentials from $REGISTRY_USERS" curl -o /etc/nginx/.htpasswd $REGISTRY_USERS cat /etc/nginx/.htpasswd /usr/sbin/nginx -c /etc/nginx/nginx.conf
Print the contents to be sure
Print the contents to be sure
Shell
mit
tco/screwdriver-docker-proxy
--- +++ @@ -3,4 +3,6 @@ curl -o /etc/nginx/.htpasswd $REGISTRY_USERS +cat /etc/nginx/.htpasswd + /usr/sbin/nginx -c /etc/nginx/nginx.conf
ad325d79139348b260d54bf58063877795c05176
requirements/base.txt
requirements/base.txt
git+git://github.com/liqd/adhocracy4.git@31bd992a1813208c5aa44a0cebb2fe00bdea6f34#egg=adhocracy4 bcrypt==3.1.4 django-capture-tag==1.0 django_csp==3.4 requests==2.18.4 wagtail==1.13.1 # pyup: <2.0 zeep==2.5.0 # Inherited a4-core requirements bleach==2.1.3 Django==1.11.12 # pyup: <2.0 django-allauth==0.35.0 django-autoslug==1.9.3 django-background-tasks==1.1.13 django-ckeditor==5.4.0 django-cloudflare-push==0.2.0 django-filter==1.1.0 django-widget-tweaks==1.4.2 djangorestframework==3.8.2 easy-thumbnails==2.5 html5lib==1.0.1 jsonfield==2.0.2 python-dateutil==2.7.2 python-magic==0.4.15 rules==1.3 XlsxWriter==1.0.4
git+git://github.com/liqd/adhocracy4.git@31bd992a1813208c5aa44a0cebb2fe00bdea6f34#egg=adhocracy4 bcrypt==3.1.4 django-capture-tag==1.0 django_csp==3.4 requests==2.18.4 wagtail==1.13.1 # pyup: <2.0 zeep==2.5.0 # Inherited a4-core requirements bleach==2.1.3 Django==1.11.13 # pyup: <2.0 django-allauth==0.35.0 django-autoslug==1.9.3 django-background-tasks==1.1.13 django-ckeditor==5.4.0 django-cloudflare-push==0.2.0 django-filter==1.1.0 django-widget-tweaks==1.4.2 djangorestframework==3.8.2 easy-thumbnails==2.5 html5lib==1.0.1 jsonfield==2.0.2 python-dateutil==2.7.2 python-magic==0.4.15 rules==1.3 XlsxWriter==1.0.4
Update django from 1.11.12 to 1.11.13
Update django from 1.11.12 to 1.11.13
Text
agpl-3.0
liqd/a4-meinberlin,liqd/a4-meinberlin,liqd/a4-meinberlin,liqd/a4-meinberlin
--- +++ @@ -8,7 +8,7 @@ # Inherited a4-core requirements bleach==2.1.3 -Django==1.11.12 # pyup: <2.0 +Django==1.11.13 # pyup: <2.0 django-allauth==0.35.0 django-autoslug==1.9.3 django-background-tasks==1.1.13
a4b5cdde1843dca8c08fc3d6ddf2b763ef4e873d
lib/constants.js
lib/constants.js
var fs = require('fs') var pkg = JSON.parse(fs.readFileSync(__dirname + '/../package.json').toString()) exports.VERSION = pkg.version exports.DEFAULT_PORT = process.env.PORT || 9876 exports.DEFAULT_HOSTNAME = process.env.IP || 'localhost' // log levels exports.LOG_DISABLE = 'OFF' exports.LOG_ERROR = 'ERROR' exports.LOG_WARN = 'WARN' exports.LOG_INFO = 'INFO' exports.LOG_DEBUG = 'DEBUG' // Default patterns for the pattern layout. exports.COLOR_PATTERN = '%[%p [%c]: %]%m' exports.NO_COLOR_PATTERN = '%p [%c]: %m' // Default console appender exports.CONSOLE_APPENDER = { type: 'console', layout: { type: 'pattern', pattern: exports.COLOR_PATTERN } } exports.EXIT_CODE = '\x1FEXIT'
var fs = require('fs') var pkg = JSON.parse(fs.readFileSync(__dirname + '/../package.json').toString()) exports.VERSION = pkg.version exports.DEFAULT_PORT = process.env.PORT || 9876 exports.DEFAULT_HOSTNAME = process.env.IP || 'localhost' // log levels exports.LOG_DISABLE = 'OFF' exports.LOG_ERROR = 'ERROR' exports.LOG_WARN = 'WARN' exports.LOG_INFO = 'INFO' exports.LOG_DEBUG = 'DEBUG' // Default patterns for the pattern layout. exports.COLOR_PATTERN = '%[%d{DATE}:%p [%c]: %]%m' exports.NO_COLOR_PATTERN = '%d{DATE}:%p [%c]: %m' // Default console appender exports.CONSOLE_APPENDER = { type: 'console', layout: { type: 'pattern', pattern: exports.COLOR_PATTERN } } exports.EXIT_CODE = '\x1FEXIT'
Add date/time stamp to log output
feat(logger): Add date/time stamp to log output The `"%d{DATE}"` in the log pattern adds a date and time stamp to log lines. So you get output like this from karma's logging: ``` 30 06 2015 15:19:56.562:DEBUG [temp-dir]: Creating temp dir at /tmp/karma-43808925 ``` The date and time are handy for figuring out if karma is running slowly.
JavaScript
mit
pmq20/karma,youprofit/karma,chrisirhc/karma,astorije/karma,aiboy/karma,jamestalmage/karma,hitesh97/karma,vtsvang/karma,patrickporto/karma,aiboy/karma,karma-runner/karma,shirish87/karma,kahwee/karma,buley/karma,IsaacChapman/karma,hitesh97/karma,harme199497/karma,astorije/karma,tomkuk/karma,pedrotcaraujo/karma,Klaudit/karma,patrickporto/karma,Klaudit/karma,stevemao/karma,harme199497/karma,simudream/karma,jamestalmage/karma,IsaacChapman/karma,harme199497/karma,Klaudit/karma,oyiptong/karma,clbond/karma,patrickporto/karma,IveWong/karma,Sanjo/karma,jjoos/karma,gayancliyanage/karma,unional/karma,KrekkieD/karma,powerkid/karma,IveWong/karma,Dignifiedquire/karma,david-garcia-nete/karma,stevemao/karma,vtsvang/karma,Dignifiedquire/karma,aiboy/karma,unional/karma,tomkuk/karma,pedrotcaraujo/karma,chrisirhc/karma,mprobst/karma,panrafal/karma,panrafal/karma,IveWong/karma,timebackzhou/karma,SamuelMarks/karma,rhlass/karma,Dignifiedquire/karma,mprobst/karma,mprobst/karma,IsaacChapman/karma,karma-runner/karma,Dignifiedquire/karma,buley/karma,youprofit/karma,clbond/karma,xiaoking/karma,jjoos/karma,gayancliyanage/karma,chrisirhc/karma,skycocker/karma,wesleycho/karma,oyiptong/karma,buley/karma,Klaudit/karma,wesleycho/karma,chrisirhc/karma,johnjbarton/karma,pedrotcaraujo/karma,aiboy/karma,IveWong/karma,codedogfish/karma,Sanjo/karma,jjoos/karma,xiaoking/karma,ernsheong/karma,jamestalmage/karma,clbond/karma,brianmhunt/karma,ernsheong/karma,gayancliyanage/karma,oyiptong/karma,unional/karma,marthinus-engelbrecht/karma,oyiptong/karma,timebackzhou/karma,KrekkieD/karma,astorije/karma,ernsheong/karma,powerkid/karma,shirish87/karma,simudream/karma,clbond/karma,skycocker/karma,timebackzhou/karma,youprofit/karma,hitesh97/karma,brianmhunt/karma,gayancliyanage/karma,simudream/karma,Sanjo/karma,tomkuk/karma,xiaoking/karma,Sanjo/karma,SamuelMarks/karma,skycocker/karma,pmq20/karma,karma-runner/karma,powerkid/karma,panrafal/karma,xiaoking/karma,vtsvang/karma,david-garcia-nete/karma,kahwee/karma,brianmhunt/karma,pmq20/karma,marthinus-engelbrecht/karma,pmq20/karma,wesleycho/karma,youprofit/karma,skycocker/karma,kahwee/karma,marthinus-engelbrecht/karma,maksimr/karma,karma-runner/karma,unional/karma,KrekkieD/karma,simudream/karma,wesleycho/karma,brianmhunt/karma,kahwee/karma,hitesh97/karma,johnjbarton/karma,codedogfish/karma,rhlass/karma,marthinus-engelbrecht/karma,tomkuk/karma,maksimr/karma,johnjbarton/karma,powerkid/karma,SamuelMarks/karma,rhlass/karma,timebackzhou/karma,david-garcia-nete/karma,patrickporto/karma,stevemao/karma,maksimr/karma,jjoos/karma,vtsvang/karma,rhlass/karma,stevemao/karma,astorije/karma,buley/karma,codedogfish/karma,codedogfish/karma,KrekkieD/karma,johnjbarton/karma,pedrotcaraujo/karma,jamestalmage/karma,harme199497/karma,IsaacChapman/karma,shirish87/karma
--- +++ @@ -15,8 +15,8 @@ exports.LOG_DEBUG = 'DEBUG' // Default patterns for the pattern layout. -exports.COLOR_PATTERN = '%[%p [%c]: %]%m' -exports.NO_COLOR_PATTERN = '%p [%c]: %m' +exports.COLOR_PATTERN = '%[%d{DATE}:%p [%c]: %]%m' +exports.NO_COLOR_PATTERN = '%d{DATE}:%p [%c]: %m' // Default console appender exports.CONSOLE_APPENDER = {
e71b34dbd6ff3fbdf2eb7485762136eda2926a98
lib/phrender.rb
lib/phrender.rb
require "phrender/version" require "phrender/logger" require "phrender/phantom_js_engine" require "phrender/phantom_js_session" require "phrender/rack_base" require "phrender/rack_middleware" require "phrender/rack_static" class Phrender end
require "phrender/version" require "phrender/logger" require "phrender/phantom_js_engine" require "phrender/phantom_js_session" require "phrender/rack_middleware" require "phrender/rack_static" class Phrender end
Remove reference to deleted file.
Remove reference to deleted file.
Ruby
mit
scoremedia/phrender,scoremedia/phrender
--- +++ @@ -2,7 +2,6 @@ require "phrender/logger" require "phrender/phantom_js_engine" require "phrender/phantom_js_session" -require "phrender/rack_base" require "phrender/rack_middleware" require "phrender/rack_static"
dfe85877d689f0a465e1a4649159541d11d4002d
senlin_dashboard/cluster/profiles/templates/profiles/_create.html
senlin_dashboard/cluster/profiles/templates/profiles/_create.html
{% extends "horizon/common/_modal_form.html" %} {% load i18n %} {% block modal-body-right %} <h3>{% trans "Description:" %}</h3> <p>{% trans "A profile encodes the information needed for node creation." %}</p> <a target="_blank" href="https://github.com/openstack/senlin/tree/master/examples/profiles"> {% trans "Profile Spec Examples" %} </a> {% endblock %}
{% extends "horizon/common/_modal_form.html" %} {% load i18n %} {% block form_id %}create_profile_form{% endblock %} {% block form_action %}{% url 'horizon:cluster:profiles:create' %}{% endblock %} {% block form_attrs %}enctype="multipart/form-data"{% endblock %} {% block modal-body-right %} <h3>{% trans "Description:" %}</h3> <p>{% trans "A profile encodes the information needed for node creation." %}</p> <a target="_blank" href="https://github.com/openstack/senlin/tree/master/examples/profiles"> {% trans "Profile Spec Examples" %} </a> {% endblock %}
Fix senlin profile create through file upload.
Fix senlin profile create through file upload. The senlin profile create is failing to pass the file name on form submit due to missing encode type in the POST request. Change-Id: I2a3d1a34725e60b6f59c355980fa48be580eceec
HTML
apache-2.0
openstack/senlin-dashboard,openstack/senlin-dashboard,openstack/senlin-dashboard,stackforge/senlin-dashboard,stackforge/senlin-dashboard,openstack/senlin-dashboard,stackforge/senlin-dashboard
--- +++ @@ -1,5 +1,9 @@ {% extends "horizon/common/_modal_form.html" %} {% load i18n %} + +{% block form_id %}create_profile_form{% endblock %} +{% block form_action %}{% url 'horizon:cluster:profiles:create' %}{% endblock %} +{% block form_attrs %}enctype="multipart/form-data"{% endblock %} {% block modal-body-right %} <h3>{% trans "Description:" %}</h3>
353d89f62bfc8b74456de02f2a3bb234760d2b79
ITWedding/ITWeddingv2016.05/app/src/main/res/layout/activity_main.xml
ITWedding/ITWeddingv2016.05/app/src/main/res/layout/activity_main.xml
<?xml version="1.0" encoding="utf-8"?> <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" android:paddingLeft="@dimen/activity_horizontal_margin" android:paddingRight="@dimen/activity_horizontal_margin" android:paddingTop="@dimen/activity_vertical_margin" android:paddingBottom="@dimen/activity_vertical_margin" tools:context="ua.uagames.itwedding.v201605.MainActivity"> <TextView android:text="Hello World!" android:layout_width="wrap_content" android:layout_height="wrap_content"/> </RelativeLayout>
<?xml version="1.0" encoding="utf-8"?> <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" android:orientation="vertical" tools:context="ua.uagames.itwedding.v201605.MainActivity"> <WebView android:id="@+id/viewer" android:layout_width="match_parent" android:layout_height="0dp" android:layout_weight="1"/> </LinearLayout>
Change project ITWeddingv2016.05. Add main activity with WebViewer component.
Change project ITWeddingv2016.05. Add main activity with WebViewer component.
XML
mit
nevmaks/UAGames
--- +++ @@ -1,17 +1,16 @@ <?xml version="1.0" encoding="utf-8"?> -<RelativeLayout +<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools="http://schemas.android.com/tools" android:layout_width="match_parent" android:layout_height="match_parent" - android:paddingLeft="@dimen/activity_horizontal_margin" - android:paddingRight="@dimen/activity_horizontal_margin" - android:paddingTop="@dimen/activity_vertical_margin" - android:paddingBottom="@dimen/activity_vertical_margin" + android:orientation="vertical" tools:context="ua.uagames.itwedding.v201605.MainActivity"> - <TextView - android:text="Hello World!" - android:layout_width="wrap_content" - android:layout_height="wrap_content"/> -</RelativeLayout> + <WebView + android:id="@+id/viewer" + android:layout_width="match_parent" + android:layout_height="0dp" + android:layout_weight="1"/> + +</LinearLayout>
7c67b3453eebcfea74f18611ad44cf1a3919b4e3
api/person-add.php
api/person-add.php
<? include '../scat.php'; $name= $_REQUEST['name']; $company= $_REQUEST['company']; $phone= $_REQUEST['phone']; if (empty($name) && empty($company) && empty($phone)) die_jsonp("You need to supply at least a name, company, or phone number."); $list= array(); foreach(array('name', 'company', 'address', 'email', 'phone', 'tax_id') as $field) { $list[]= "$field = '" . $db->escape($_REQUEST[$field]) . "', "; } if ($_REQUEST['phone']) { $list[]= "loyalty_number = '" . preg_replace('/[^\d]/', '', $_REQUEST['phone']) . "', "; } $fields= join('', $list); $q= "INSERT INTO person SET $fields active = 1"; $r= $db->query($q) or die_query($db, $q); echo jsonp(array('person' => $db->insert_id));
<? include '../scat.php'; $name= $_REQUEST['name']; $company= $_REQUEST['company']; $phone= $_REQUEST['phone']; if (empty($name) && empty($company) && empty($phone)) die_jsonp("You need to supply at least a name, company, or phone number."); $list= array(); foreach(array('name', 'role', 'company', 'address', 'email', 'phone', 'tax_id') as $field) { $list[]= "$field = '" . $db->escape($_REQUEST[$field]) . "', "; } if ($_REQUEST['phone']) { $list[]= "loyalty_number = '" . preg_replace('/[^\d]/', '', $_REQUEST['phone']) . "', "; } $fields= join('', $list); $q= "INSERT INTO person SET $fields active = 1"; $r= $db->query($q) or die_query($db, $q); echo jsonp(array('person' => $db->insert_id));
Save role when adding new person
Save role when adding new person
PHP
mit
jimwins/scat,jimwins/scat,jimwins/scat,jimwins/scat
--- +++ @@ -8,7 +8,7 @@ die_jsonp("You need to supply at least a name, company, or phone number."); $list= array(); -foreach(array('name', 'company', 'address', +foreach(array('name', 'role', 'company', 'address', 'email', 'phone', 'tax_id') as $field) { $list[]= "$field = '" . $db->escape($_REQUEST[$field]) . "', "; }
6d6739357119d9a2fd78d82c6f0cc640fa3878ea
metadata/com.github.alijc.cricketsalarm.yml
metadata/com.github.alijc.cricketsalarm.yml
Categories: - Time License: GPL-3.0-only SourceCode: https://github.com/alijc/CricketsAlarm IssueTracker: https://github.com/alijc/CricketsAlarm/issues AutoName: Cricket’s Alarm Description: |- A widget for keeping track of a pet’s medications. This is a simple widget timer that rings an alarm to remind me to give Cricket (my diabetic tortie) a shot of insulin. By default the alarm rings after 12 hours. It can be 'snoozed' for an hour. RepoType: git Repo: https://github.com/alijc/CricketsAlarm.git Builds: - versionName: '1.1' versionCode: 2 commit: f498c8dc31 subdir: CricketsAlarm target: android-14 AutoUpdateMode: None UpdateCheckMode: RepoManifest CurrentVersion: '1.1' CurrentVersionCode: 2
Categories: - Time License: GPL-3.0-only SourceCode: https://github.com/alijc/CricketsAlarm IssueTracker: https://github.com/alijc/CricketsAlarm/issues AutoName: Cricket's Alarm Description: |- A widget for keeping track of a pet’s medications. This is a simple widget timer that rings an alarm to remind me to give Cricket (my diabetic tortie) a shot of insulin. By default the alarm rings after 12 hours. It can be 'snoozed' for an hour. RepoType: git Repo: https://github.com/alijc/CricketsAlarm.git Builds: - versionName: '1.1' versionCode: 2 commit: f498c8dc31 subdir: CricketsAlarm target: android-14 AutoUpdateMode: None UpdateCheckMode: RepoManifest CurrentVersion: '1.1' CurrentVersionCode: 2
Set autoname of Cricket's Alarm
Set autoname of Cricket's Alarm
YAML
agpl-3.0
f-droid/fdroiddata,f-droid/fdroiddata
--- +++ @@ -4,7 +4,7 @@ SourceCode: https://github.com/alijc/CricketsAlarm IssueTracker: https://github.com/alijc/CricketsAlarm/issues -AutoName: Cricket’s Alarm +AutoName: Cricket's Alarm Description: |- A widget for keeping track of a pet’s medications.
5b7a5673f4c5d3e796e46661fe5503885134366c
.travis.yml
.travis.yml
dist: xenial language: bash services: docker git: quiet: true env: global: - TARGETS="" matrix: include: # Run multi arch cases on only cron mode at first, as it takes 30+ minutes. - env: SERVICE=fedora30_aarch64 TARGETS="qemu build" if: type = cron - env: SERVICE=fedora30 - env: SERVICE=fedora29 - env: SERVICE=fedora28 - env: SERVICE=fedora27 - env: SERVICE=fedora26 - env: SERVICE=fedora_rawhide - env: SERVICE=intg - env: SERVICE=centos7 - env: SERVICE=centos6 - env: SERVICE=ubuntu_bionic - env: SERVICE=ubuntu_trusty allow_failures: - env: SERVICE=fedora_rawhide fast_finish: true install: | travis_retry make ${TARGETS} SERVICE=${SERVICE} script: | make test SERVICE=${SERVICE} branches: only: - master
dist: xenial language: bash services: docker git: quiet: true env: global: - TARGETS="" matrix: include: # Run multi arch cases on only cron mode at first, as it takes 30+ minutes. - name: fedora30_aarch64 env: SERVICE=fedora30_aarch64 TARGETS="qemu build" # if: type = cron - env: SERVICE=fedora30 - env: SERVICE=fedora29 - env: SERVICE=fedora28 - env: SERVICE=fedora27 - env: SERVICE=fedora26 - env: SERVICE=fedora_rawhide - env: SERVICE=intg - env: SERVICE=centos7 - env: SERVICE=centos6 - env: SERVICE=ubuntu_bionic - env: SERVICE=ubuntu_trusty allow_failures: - name: fedora30_aarch64 - env: SERVICE=fedora_rawhide fast_finish: true install: | travis_retry make ${TARGETS} SERVICE=${SERVICE} script: | make test SERVICE=${SERVICE} branches: only: - master
Update Fedora 30 aarch64 case as regular task, setting it as allows_failures.
Update Fedora 30 aarch64 case as regular task, setting it as allows_failures. To see the content of the failures. It's temporary workflow.
YAML
mit
junaruga/rpm-py-installer,junaruga/rpm-py-installer
--- +++ @@ -9,8 +9,9 @@ matrix: include: # Run multi arch cases on only cron mode at first, as it takes 30+ minutes. - - env: SERVICE=fedora30_aarch64 TARGETS="qemu build" - if: type = cron + - name: fedora30_aarch64 + env: SERVICE=fedora30_aarch64 TARGETS="qemu build" + # if: type = cron - env: SERVICE=fedora30 - env: SERVICE=fedora29 - env: SERVICE=fedora28 @@ -23,6 +24,7 @@ - env: SERVICE=ubuntu_bionic - env: SERVICE=ubuntu_trusty allow_failures: + - name: fedora30_aarch64 - env: SERVICE=fedora_rawhide fast_finish: true install: |
c86569d46aac2372107a5e2af66208de8c4a4c1d
kaleo/receivers.py
kaleo/receivers.py
from django.db.models.signals import post_save from django.dispatch import receiver from django.contrib.auth.models import User from account.models import SignupCodeResult, EmailConfirmation from account.signals import signup_code_used, email_confirmed from kaleo.models import JoinInvitation, InvitationStat @receiver(signup_code_used, sender=SignupCodeResult) def handle_signup_code_used(sender, **kwargs): result = kwargs.get("signup_code_result") try: invite = result.signup_code.joininvitation invite.accept(result.user) except JoinInvitation.DoesNotExist: pass @receiver(email_confirmed, sender=EmailConfirmation) def handle_email_confirmed(sender, **kwargs): email_address = kwargs.get("email_address") JoinInvitation.process_independent_joins( user=email_address.user, email=email_address.email ) @receiver(post_save, sender=User) def create_stat(sender, instance=None, **kwargs): if instance is None: return InvitationStat.objects.get_or_create(user=instance)
from django.db.models.signals import post_save from django.dispatch import receiver from django.contrib.auth.models import User from account.models import SignupCodeResult, EmailConfirmation from account.signals import signup_code_used, email_confirmed, user_signed_up from kaleo.models import JoinInvitation, InvitationStat @receiver(signup_code_used, sender=SignupCodeResult) def handle_signup_code_used(sender, **kwargs): result = kwargs.get("signup_code_result") try: invite = result.signup_code.joininvitation invite.accept(result.user) except JoinInvitation.DoesNotExist: pass @receiver(email_confirmed, sender=EmailConfirmation) def handle_email_confirmed(sender, **kwargs): email_address = kwargs.get("email_address") JoinInvitation.process_independent_joins( user=email_address.user, email=email_address.email ) @receiver(user_signed_up) def handle_user_signup(sender, user, form, **kwargs): email_qs = user.emailaddress_set.filter(email=user.email, verified=True) if user.is_active and email_qs.exists(): JoinInvitation.process_independent_joins( user=user, email=user.email ) @receiver(post_save, sender=User) def create_stat(sender, instance=None, **kwargs): if instance is None: return InvitationStat.objects.get_or_create(user=instance)
Handle case where a user skips email confirmation
Handle case where a user skips email confirmation In DUA, if you are invited to a site and you end up signing up with the same email address, DUA will skip the confirmation cycle and count it as confirmed already.
Python
bsd-3-clause
JPWKU/kaleo,abramia/kaleo,rizumu/pinax-invitations,ntucker/kaleo,jacobwegner/pinax-invitations,pinax/pinax-invitations,eldarion/kaleo
--- +++ @@ -4,7 +4,7 @@ from django.contrib.auth.models import User from account.models import SignupCodeResult, EmailConfirmation -from account.signals import signup_code_used, email_confirmed +from account.signals import signup_code_used, email_confirmed, user_signed_up from kaleo.models import JoinInvitation, InvitationStat @@ -28,6 +28,16 @@ ) +@receiver(user_signed_up) +def handle_user_signup(sender, user, form, **kwargs): + email_qs = user.emailaddress_set.filter(email=user.email, verified=True) + if user.is_active and email_qs.exists(): + JoinInvitation.process_independent_joins( + user=user, + email=user.email + ) + + @receiver(post_save, sender=User) def create_stat(sender, instance=None, **kwargs): if instance is None:
4beff77908c4098cd389f086c2188ecd8d27c468
.drone.yml
.drone.yml
kind: pipeline type: kubernetes name: default steps: - name: build site image: jojomi/hugo commands: - hugo - name: build server image: golang commands: - CG0_ENABLED=0 go build -s server -ldflags '-s' src/main.go
kind: pipeline type: kubernetes name: default steps: - name: build site image: jojomi/hugo commands: - hugo - name: build server image: golang commands: - CG0_ENABLED=0 go build -o server -ldflags '-s' src/main.go
Correct typo in build script
Correct typo in build script
YAML
mit
nsmith5/website
--- +++ @@ -10,4 +10,4 @@ - name: build server image: golang commands: - - CG0_ENABLED=0 go build -s server -ldflags '-s' src/main.go + - CG0_ENABLED=0 go build -o server -ldflags '-s' src/main.go
3a54e84abaa195956a8ad4d264892acd12f90ac1
cosmos-gui/conf/cosmos-gui.json
cosmos-gui/conf/cosmos-gui.json
{ "gui": { "port": 9090 }, "oauth2": { "idmURL": "", "client_id": "", "client_secret": "", "callbackURL": "http://localhost/login", "response_type": "code" }, "mysql": { "host": "130.206.81.225", "port": 3306, "user": "cb", "password": "cbpass", "database": "cosmos_gui" } }
{ "gui": { "port": 9090 }, "hdfs": { "quota": 5 }, "oauth2": { "idmURL": "", "client_id": "", "client_secret": "", "callbackURL": "http://localhost/login", "response_type": "code" }, "mysql": { "host": "", "port": 3306, "user": "", "password": "", "database": "cosmos_gui" } }
ADD a HDFS section in config file
ADD a HDFS section in config file
JSON
agpl-3.0
ffr4nz/fiware-cosmos,telefonicaid/fiware-cosmos,telefonicaid/fiware-cosmos,telefonicaid/fiware-cosmos,telefonicaid/fiware-cosmos,ffr4nz/fiware-cosmos,ffr4nz/fiware-cosmos,telefonicaid/fiware-cosmos
--- +++ @@ -1,6 +1,9 @@ { "gui": { "port": 9090 + }, + "hdfs": { + "quota": 5 }, "oauth2": { "idmURL": "", @@ -10,10 +13,10 @@ "response_type": "code" }, "mysql": { - "host": "130.206.81.225", + "host": "", "port": 3306, - "user": "cb", - "password": "cbpass", + "user": "", + "password": "", "database": "cosmos_gui" } }
4c1e4a67c31021f5c5cd40e27da5b10fb2c5c498
source/calendar.html.erb
source/calendar.html.erb
--- pageable: true --- <h1>Archive for <% case page_type when 'day' %> <%= Date.new(year, month, day).strftime('%e %B %Y') %> <% when 'month' %> <%= Date.new(year, month, 1).strftime('%B %Y') %> <% when 'year' %> <%= year %> <% end %> </h1> <% if paginate && num_pages > 1 %> <p>Page <%= page_number %> of <%= num_pages %></p> <% if prev_page %> <p><%= link_to 'Previous page', prev_page %></p> <% end %> <% end %> <ul> <% page_articles.each_with_index do |article, i| %> <li><%= link_to article.title, article %> - <span><%= article.date.strftime('%d/%m/%y') %></span></li> <% end %> </ul> <% if paginate %> <% if next_page %> <p><%= link_to 'Next page', next_page %></p> <% end %> <% end %>
--- pageable: true --- <h1>Archive for <% case page_type when 'day' %> <%= Date.new(year, month, day).strftime('%e %B %Y') %> <% when 'month' %> <%= Date.new(year, month, 1).strftime('%B %Y') %> <% when 'year' %> <%= year %> <% end %> </h1> <% if paginate && num_pages > 1 %> <p>Page <%= page_number %> of <%= num_pages %></p> <% if prev_page %> <p><%= link_to 'Previous page', prev_page %></p> <% end %> <% end %> <ul> <% page_articles.each_with_index do |article, i| %> <li><%= link_to article.title, article %> - <span><%= article.date.strftime('%d/%m/%y') %></span> | <a href="<%= article.url %>#disqus_thread"></a></li> <% end %> </ul> <% if paginate %> <% if next_page %> <p><%= link_to 'Next page', next_page %></p> <% end %> <% end %>
Add Disqus comment count to calendar pages.
Add Disqus comment count to calendar pages.
HTML+ERB
mit
martincostello/blog,martincostello/blog,martincostello/blog
--- +++ @@ -22,7 +22,7 @@ <ul> <% page_articles.each_with_index do |article, i| %> - <li><%= link_to article.title, article %> - <span><%= article.date.strftime('%d/%m/%y') %></span></li> + <li><%= link_to article.title, article %> - <span><%= article.date.strftime('%d/%m/%y') %></span> | <a href="<%= article.url %>#disqus_thread"></a></li> <% end %> </ul>
76b32ea39a944585155f8f5fcab407f8e0b968b1
src/erlcfg_data.erl
src/erlcfg_data.erl
-module(erlcfg_data, [Node]). -export([ raw/0, get/1, get/2 ]). raw() -> Node. get(Key, Default) -> case THIS:get(Key) of {error, _Reason} -> Default; Value -> Value end. get(Key) -> case erlcfg_node:get(Node, Key) of {not_found, MissingNode} -> {error, {not_found, MissingNode}}; {value, Value} -> Value end.
-module(erlcfg_data, [Node]). -export([ raw/0, get/1, get/2, ensure_get/1 ]). raw() -> Node. get(Key, Default) -> case THIS:get(Key) of {error, _Reason} -> Default; Value -> Value end. get(Key) -> case erlcfg_node:get(Node, Key) of {not_found, MissingNode} -> {error, {not_found, MissingNode}}; {value, Value} -> Value end. ensure_get(Key) -> case THIS:get(Key) of {error, Reason} -> throw(Reason); Value -> Value end.
Implement erlcfg:ensure_get/1 which crashes when key is not found
Implement erlcfg:ensure_get/1 which crashes when key is not found
Erlang
bsd-3-clause
saleyn/erlcfg
--- +++ @@ -2,7 +2,8 @@ -export([ raw/0, get/1, - get/2 + get/2, + ensure_get/1 ]). @@ -24,3 +25,11 @@ {value, Value} -> Value end. + +ensure_get(Key) -> + case THIS:get(Key) of + {error, Reason} -> + throw(Reason); + Value -> + Value + end.
0eac14610cd422ded0e9882530ad4cd8dcaa2281
.travis.yml
.travis.yml
language: python python: 2.7 os: - linux - osx env: - TOX_ENV=py27 - TOX_ENV=py34 - TOX_ENV=pypy install: pip install tox script: tox -e $TOX_ENV after_success: - coveralls notifications: email: - [email protected]
language: python python: 2.7 env: - TOX_ENV=py27 - TOX_ENV=py34 - TOX_ENV=pypy install: pip install tox script: tox -e $TOX_ENV after_success: - coveralls notifications: email: - [email protected]
Revert "try building on OSX, why not"
Revert "try building on OSX, why not" This reverts commit 6e4fb1355abbf97107c9c475f732b0c3ea0e6b3b.
YAML
bsd-2-clause
J535D165/jellyfish,pombredanne/jellyfish,pombredanne/jellyfish,gdtm86/jellyfish,jamesturk/jellyfish,J535D165/jellyfish,gdtm86/jellyfish,jamesturk/jellyfish
--- +++ @@ -1,8 +1,5 @@ language: python python: 2.7 -os: - - linux - - osx env: - TOX_ENV=py27 - TOX_ENV=py34
8c6618fd10bbb337571937b2791ee608c31b2cd4
doc/book/SUMMARY.md
doc/book/SUMMARY.md
# Summary * [Background](background/index.md) * [Goals](background/goals.md) * [Why a virtual machine?](background/why-vm.md) * [Why Lisp?](background/why-lisp.md) * [Influences](background/influences.md) * [Implementation](implementation/README.md) * [Why Rust?](implementation/why-rust.md) * [Overview](implementation/overview.md) * [The Singly-Linked List](implementation/cons-list.md) * [The SECD Architecture](implementation/secd.md) * [Seax Virtual Machine](implementation/svm.md) * [Seax Scheme](implementation/scheme.md)
# Summary * [Background](background/index.md) * [Goals](background/goals.md) * [Why a virtual machine?](background/why-vm.md) * [Why Lisp?](background/why-lisp.md) * [The Scheme Programming Langauge](background/scheme.md) * [Influences](background/influences.md) * [Implementation](implementation/README.md) * [Why Rust?](implementation/why-rust.md) * [Overview](implementation/overview.md) * [The Singly-Linked List](implementation/cons-list.md) * [The SECD Architecture](implementation/secd.md) * [Seax Virtual Machine](implementation/svm.md) * [Seax Scheme](implementation/scheme.md)
Add new pages to the index
Add new pages to the index
Markdown
mit
hawkw/seax,hawkw/seax
--- +++ @@ -4,6 +4,7 @@ * [Goals](background/goals.md) * [Why a virtual machine?](background/why-vm.md) * [Why Lisp?](background/why-lisp.md) + * [The Scheme Programming Langauge](background/scheme.md) * [Influences](background/influences.md) * [Implementation](implementation/README.md) * [Why Rust?](implementation/why-rust.md)
97c80b9b09b5ccfd53a5f6bdbf75f3d6f35746da
views/site/profile.php
views/site/profile.php
<?php /** * @project: Intern Portal. * @author: nkmathew * @date: 20/06/2016 * @time: 17:09 */ /* @var $this yii\web\View */ use yii\helpers\Html; use yii\widgets\ActiveForm; ?> <div class="site-profile"> <p> Update your profile below </p> <div class="row"> <div class="col-lg-5"> <?php $form = ActiveForm::begin(['action' => '/site/profile', 'id' => 'profile-form']); ?> <?= $form->field($model, 'firstName')->textInput(['autofocus' => true]) ?> <?= $form->field($model, 'surname') ?> <?= $form->field($model, 'email') ?> <?= $form->field($model, 'sex')->dropDownList(['Male', 'Female', 'Other']); ?> <div class="form-group"> <?= Html::submitButton('Submit', ['class' => 'btn btn-primary', 'name' => 'contact-button']) ?> </div> <?php ActiveForm::end(); ?> </div> </div> </div>
<?php /** * @project: Intern Portal. * @author: nkmathew * @date: 20/06/2016 * @time: 17:09 */ /* @var $this yii\web\View */ /* @var $model app\models\Profile */ use yii\helpers\Html; use yii\widgets\ActiveForm; ?> <div class="site-profile"> <p> Update your profile below </p> <div class="row"> <div class="col-lg-5"> <?= var_dump($profile); ?> <?php $form = ActiveForm::begin(['action' => '/site/profile', 'id' => 'profile-form']); ?> <?= $form->field($model, 'firstName')->textInput(['autofocus' => true, 'value' => $model->firstName]) ?> <?= $form->field($model, 'surname')->textInput(['value' => $model->surname]) ?> <?= $form->field($model, 'email')->textInput(['readonly' => true, 'value' => $model->email]) ?> <?= $form->field($model, 'sex')->dropDownList(['Male', 'Female', 'Other']); ?> <div class="form-group"> <?= Html::submitButton('Submit', ['class' => 'btn btn-primary', 'name' => 'contact-button']) ?> </div> <?php ActiveForm::end(); ?> </div> </div> </div>
Add default values for form fields
Add default values for form fields
PHP
bsd-3-clause
nkmathew/intern-portal,nkmathew/intern-portal
--- +++ @@ -8,6 +8,7 @@ */ /* @var $this yii\web\View */ +/* @var $model app\models\Profile */ use yii\helpers\Html; use yii\widgets\ActiveForm; @@ -20,10 +21,11 @@ </p> <div class="row"> <div class="col-lg-5"> + <?= var_dump($profile); ?> <?php $form = ActiveForm::begin(['action' => '/site/profile', 'id' => 'profile-form']); ?> - <?= $form->field($model, 'firstName')->textInput(['autofocus' => true]) ?> - <?= $form->field($model, 'surname') ?> - <?= $form->field($model, 'email') ?> + <?= $form->field($model, 'firstName')->textInput(['autofocus' => true, 'value' => $model->firstName]) ?> + <?= $form->field($model, 'surname')->textInput(['value' => $model->surname]) ?> + <?= $form->field($model, 'email')->textInput(['readonly' => true, 'value' => $model->email]) ?> <?= $form->field($model, 'sex')->dropDownList(['Male', 'Female', 'Other']); ?> <div class="form-group"> <?= Html::submitButton('Submit', ['class' => 'btn btn-primary', 'name' => 'contact-button']) ?>
09197b95803dae25c8e3009b13556dc41402f529
app/views/_sprint31/e2e/includes/title_phase-tag_navigation.html
app/views/_sprint31/e2e/includes/title_phase-tag_navigation.html
<div class="header-container"> <a href="/_sprint{{currentSprint}}/e2e" class="header-title">National Careers Service</a> <nav class="explorecareers_nav"> <ul id="navigation" aria-label="Top Level Navigation"> <li> <a class="govuk-header__link active" href="/_sprint{{currentSprint}}/e2e"> Explore careers </a> </li> <li class="govuk-header__navigation-item"> <a class="govuk-header__link" href="/_sprint{{currentSprint}}/e2e/contactus"> Contact an adviser </a> </li> </ul> </nav> </div>
<div class="header-container"> <a href="/_sprint{{currentSprint}}/e2e" class="header-title">National Careers Service</a> <nav class="explorecareers_nav"> <ul id="navigation" aria-label="Top Level Navigation"> <li> <a class="govuk-header__link active" href="/_sprint{{currentSprint}}/e2e"> Explore careers </a> </li> <li class="govuk-header__navigation-item"> <a class="govuk-header__link" href="/_sprint{{currentSprint}}/e2e/bau-contactus"> Contact an adviser </a> </li> </ul> </nav> </div>
Change to external contact us
Change to external contact us
HTML
mit
citizendigitalalpha/careers_beta,citizendigitalalpha/careers_beta,citizendigitalalpha/careers_beta
--- +++ @@ -8,7 +8,7 @@ </a> </li> <li class="govuk-header__navigation-item"> - <a class="govuk-header__link" href="/_sprint{{currentSprint}}/e2e/contactus"> + <a class="govuk-header__link" href="/_sprint{{currentSprint}}/e2e/bau-contactus"> Contact an adviser </a> </li>
4f4b1e4518a9894f2ace869d4c06eebc08cfe073
docs/events.md
docs/events.md
# Hooking in with events The `Client` class has a build-in EventDispatcher. It will trigger events at all important phases of the SOAP call: - Events::REQUEST (RequestEvent) - Events::RESPONSE (ResponseEvent) - Events::FAULT (FaultEvent) You can subscribe your own listeners to the configured `EventDispatcher`. For example: ```php class ResponseFailedSubscriber implements SubscriberInterface { // implement interface } $dispatcher->addSubscriber(new ResponseFailedSubscriber()); ``` This package ships with some default subscriber plugins: - [Logger plugin](plugins/logger.md) - [Validator plugin](docs/plugins/validator.md) - [Caching plugin](plugins/caching.md)
# Hooking in with events The `Client` class has a build-in EventDispatcher. It will trigger events at all important phases of the SOAP call: - Events::REQUEST (RequestEvent) - Events::RESPONSE (ResponseEvent) - Events::FAULT (FaultEvent) You can subscribe your own listeners to the configured `EventDispatcher`. For example: ```php class ResponseFailedSubscriber implements SubscriberInterface { // implement interface } $dispatcher->addSubscriber(new ResponseFailedSubscriber()); ``` This package ships with some default subscriber plugins: - [Logger plugin](plugins/logger.md) - [Validator plugin](plugins/validator.md) - [Caching plugin](plugins/caching.md)
Fix link in Events documentation
Fix link in Events documentation
Markdown
mit
phpro/soap-client,janvernieuwe/soap-client
--- +++ @@ -21,5 +21,5 @@ This package ships with some default subscriber plugins: - [Logger plugin](plugins/logger.md) -- [Validator plugin](docs/plugins/validator.md) +- [Validator plugin](plugins/validator.md) - [Caching plugin](plugins/caching.md)
adf079b8bbbce2f7dd774b4fa9774370c01a79d3
raven/src/test/resources/logging-test.properties
raven/src/test/resources/logging-test.properties
handlers=java.util.logging.ConsoleHandler .level=OFF java.util.logging.ConsoleHandler.formatter=java.util.logging.SimpleFormatter java.util.logging.SimpleFormatter.format=[RAVEN] [%4$.4s] %3$s - %5$s%n
handlers=java.util.logging.ConsoleHandler .level=OFF java.util.logging.ConsoleHandler.formatter=java.util.logging.SimpleFormatter java.util.logging.ConsoleHandler.level=ALL java.util.logging.SimpleFormatter.format=[RAVEN] [%4$.4s] %3$s - %5$s%n
Add a line to ensure that the consoleHandler will print everything that is logged
Add a line to ensure that the consoleHandler will print everything that is logged
INI
bsd-3-clause
buckett/raven-java,galmeida/raven-java,reki2000/raven-java6,reki2000/raven-java6,littleyang/raven-java,buckett/raven-java,littleyang/raven-java,galmeida/raven-java
--- +++ @@ -2,4 +2,5 @@ .level=OFF java.util.logging.ConsoleHandler.formatter=java.util.logging.SimpleFormatter +java.util.logging.ConsoleHandler.level=ALL java.util.logging.SimpleFormatter.format=[RAVEN] [%4$.4s] %3$s - %5$s%n
0a0e64f7d72cc7418b185603397cd2bc0b09d156
config/initializers/_patch.rb
config/initializers/_patch.rb
# patch to correct utf8 string wrongly encoded as ASCII-8BIT # tested on linux with ruby 2.2.7-p470 module ProxyPacRb # Encodes strings as UTF-8 module Encoding def encode(string) if string.encoding.name == 'ASCII-8BIT' data = string.dup data.force_encoding('UTF-8') unless data.valid_encoding? raise ::Encoding::UndefinedConversionError, "Could not encode ASCII-8BIT data #{string.dump} as UTF-8" end else data = string.encode('UTF-8') end data end end end
# patch to correct utf8 string wrongly encoded as ASCII-8BIT and suppress file system proxy load # tested on linux with ruby 2.2.7-p470 module ProxyPacRb # Encodes strings as UTF-8 module Encoding def encode(string) if string.encoding.name == 'ASCII-8BIT' data = string.dup data.force_encoding('UTF-8') unless data.valid_encoding? raise ::Encoding::UndefinedConversionError, "Could not encode ASCII-8BIT data #{string.dump} as UTF-8" end else data = string.encode('UTF-8') end data end end # Dump Proxy pac to file system class ProxyPacLoader def initialize @loaders = [] @loaders << ProxyPacStringLoader.new @loaders << ProxyPacUriLoader.new # @loaders << ProxyPacFileLoader.new @loaders << ProxyPacNullLoader.new @default_loader = -> { ProxyPacNullLoader.new } end end # Handle proxy pac == nil class ProxyPacNullLoader def load(proxy_pac) proxy_pac.type = :null raise StandardError, 'URL or script is not valid' end def suitable_for?(proxy_pac) proxy_pac.nil? end end end
Patch ProxyPacRb to disallow use of proxypac on file system (for security)
Patch ProxyPacRb to disallow use of proxypac on file system (for security)
Ruby
mit
net1957/ProxyCheck,net1957/ProxyCheck,net1957/ProxyCheck,net1957/ProxyCheck
--- +++ @@ -1,4 +1,4 @@ -# patch to correct utf8 string wrongly encoded as ASCII-8BIT +# patch to correct utf8 string wrongly encoded as ASCII-8BIT and suppress file system proxy load # tested on linux with ruby 2.2.7-p470 module ProxyPacRb # Encodes strings as UTF-8 @@ -17,4 +17,29 @@ data end end + + # Dump Proxy pac to file system + class ProxyPacLoader + def initialize + @loaders = [] + @loaders << ProxyPacStringLoader.new + @loaders << ProxyPacUriLoader.new + # @loaders << ProxyPacFileLoader.new + @loaders << ProxyPacNullLoader.new + + @default_loader = -> { ProxyPacNullLoader.new } + end + end + # Handle proxy pac == nil + class ProxyPacNullLoader + def load(proxy_pac) + proxy_pac.type = :null + + raise StandardError, 'URL or script is not valid' + end + + def suitable_for?(proxy_pac) + proxy_pac.nil? + end + end end
acb15ae41190f4a749b9cdbb3a54154f2e020a54
README.md
README.md
# zend-eventmanager The `Zend\EventManager` is a component designed for the following use cases: - Implementing simple subject/observer patterns. - Implementing Aspect-Oriented designs. - Implementing event-driven architectures. The basic architecture allows you to attach and detach listeners to named events, both on a per-instance basis as well as via shared collections; trigger events; and interrupt execution of listeners. - File issues at https://github.com/zendframework/zend-eventmanager/issues - Documentation is at http://framework.zend.com/manual/current/en/index.html#zend-eventmanager
# zend-eventmanager [![Build Status](https://secure.travis-ci.org/zendframework/zend-eventmanager.svg?branch=master)](https://secure.travis-ci.org/zendframework/zend-eventmanager) [![Coverage Status](https://coveralls.io/repos/zendframework/zend-eventmanager/badge.svg?branch=master)](https://coveralls.io/r/zendframework/zend-eventmanager) The `Zend\EventManager` is a component designed for the following use cases: - Implementing simple subject/observer patterns. - Implementing Aspect-Oriented designs. - Implementing event-driven architectures. The basic architecture allows you to attach and detach listeners to named events, both on a per-instance basis as well as via shared collections; trigger events; and interrupt execution of listeners. - File issues at https://github.com/zendframework/zend-eventmanager/issues - Documentation is at http://framework.zend.com/manual/current/en/index.html#zend-eventmanager
Add Travis-CI and Coveralls badges for master branch
[readme] Add Travis-CI and Coveralls badges for master branch
Markdown
bsd-3-clause
ezimuel/zend-eventmanager,Maks3w/zend-eventmanager,matwright/zend-eventmanager,codeliner/zend-eventmanager,MadCat34/zend-eventmanager
--- +++ @@ -1,4 +1,7 @@ # zend-eventmanager + +[![Build Status](https://secure.travis-ci.org/zendframework/zend-eventmanager.svg?branch=master)](https://secure.travis-ci.org/zendframework/zend-eventmanager) +[![Coverage Status](https://coveralls.io/repos/zendframework/zend-eventmanager/badge.svg?branch=master)](https://coveralls.io/r/zendframework/zend-eventmanager) The `Zend\EventManager` is a component designed for the following use cases:
15d08b3c088a1ca46a48a7c1d6e648b0058c86dd
bash_scripts/destiny2_subclass.sh
bash_scripts/destiny2_subclass.sh
#!/usr/bin/env bash set -e API_KEY=`less ../secrets.yaml | grep destiny2_api_key | awk '{print $2}'` STRIKER=2958378809 SUNBREAKER=3105935002 SENTINEL=3382391785 NIGHTSTALKER=3225959819 ARCSTRIDER=1334959255 GUNSLINGER=3635991036 VOIDWALKER=3887892656 DAWNBLADE=3481861797 STORMCALLER=1751782730 RES=`curl -s --header "X-API-Key: ${API_KEY}" https://www.bungie.net/Platform/Destiny2/2/Profile/4611686018428481758/?components=203` if [[ ${RES} == *"${STRIKER}"* ]]; then echo "Arc" elif [[ ${RES} == *"${SUNBREAKER}"* ]]; then echo "Solar" elif [[ ${RES} == *"${SENTINEL}"* ]]; then echo "Void" else echo "Unknown" fi
#!/usr/bin/env bash set -e API_KEY=`less /config/secrets.yaml | grep destiny2_api_key | awk '{print $2}'` STRIKER=2958378809 SUNBREAKER=3105935002 SENTINEL=3382391785 NIGHTSTALKER=3225959819 ARCSTRIDER=1334959255 GUNSLINGER=3635991036 VOIDWALKER=3887892656 DAWNBLADE=3481861797 STORMCALLER=1751782730 RES=`curl -s --header "X-API-Key: ${API_KEY}" https://www.bungie.net/Platform/Destiny2/2/Profile/4611686018428481758/?components=203` if [[ ${RES} == *"${STRIKER}"* ]]; then echo "Arc" elif [[ ${RES} == *"${SUNBREAKER}"* ]]; then echo "Solar" elif [[ ${RES} == *"${SENTINEL}"* ]]; then echo "Void" else echo "Unknown" fi
Fix to Destiny 2 bash scrip
Fix to Destiny 2 bash scrip
Shell
unlicense
danrspencer/hass-config,danrspencer/hass-config
--- +++ @@ -2,7 +2,7 @@ set -e -API_KEY=`less ../secrets.yaml | grep destiny2_api_key | awk '{print $2}'` +API_KEY=`less /config/secrets.yaml | grep destiny2_api_key | awk '{print $2}'` STRIKER=2958378809 SUNBREAKER=3105935002
260e72acb1653c37f2138f6e272ec6d49710e0a1
.travis.yml
.travis.yml
language: python python: - 3.5 install: - pip install -r requirements-test.txt - pip install coveralls - pip install flake8 before_script: - flake8 --max-line-length=120 after_success: - coveralls script: pytest
language: python python: - 3.5 install: - pip install -r requirements-test.txt - pip install flake8 - pip install pytest before_script: - flake8 --max-line-length=120 script: pytest
Remove coveralls and add pytest
Remove coveralls and add pytest
YAML
apache-2.0
adlermedrado/abbr
--- +++ @@ -5,13 +5,10 @@ install: - pip install -r requirements-test.txt - - pip install coveralls - pip install flake8 + - pip install pytest before_script: - flake8 --max-line-length=120 -after_success: - - coveralls - script: pytest
41884149a963752468023f6f2c1a00a708698e5b
README.rst
README.rst
kpy ========== Kpy stands for Keitai (Japanese mobile phone) model name extractor on Python. This module extracts model name of mobile phone/tablet from user agent string. For example, this module extracts "HTL21" from a user agent string "Mozilla/5.0 (Linux; U; Android 4.1.1; ja-jp; HTL21 Build/JRO03C) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30" Currently, This module supports 774 Japanese mobile phones/tablets. Contributions are welcome. TODO =========== - Supports other countries' mobilephone - Output model series name of mobilephone License ========= - MIT License
kpy ========== .. image:: https://travis-ci.org/ikegami-yukino/kpy.svg?branch=master :target: https://travis-ci.org/ikegami-yukino/kpy .. image:: https://coveralls.io/repos/ikegami-yukino/kpy/badge.png :target: https://coveralls.io/r/ikegami-yukino/kpy Kpy stands for Keitai (Japanese mobile phone) model name extractor on Python. This module extracts model name of mobile phone/tablet from user agent string. For example, this module extracts "HTL21" from a user agent string "Mozilla/5.0 (Linux; U; Android 4.1.1; ja-jp; HTL21 Build/JRO03C) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Mobile Safari/534.30" Currently, This module supports 774 Japanese mobile phones/tablets. Contributions are welcome. TODO =========== - Supports other countries' mobilephone - Output model series name of mobilephone License ========= - MIT License
Add Travis ans Coveralls badges
Add Travis ans Coveralls badges
reStructuredText
mit
ikegami-yukino/kpy
--- +++ @@ -1,5 +1,9 @@ kpy ========== +.. image:: https://travis-ci.org/ikegami-yukino/kpy.svg?branch=master + :target: https://travis-ci.org/ikegami-yukino/kpy +.. image:: https://coveralls.io/repos/ikegami-yukino/kpy/badge.png + :target: https://coveralls.io/r/ikegami-yukino/kpy Kpy stands for Keitai (Japanese mobile phone) model name extractor on Python.
aa31895f622ad0beebda72284ff76d7971edaf3a
generate-config-schema.js
generate-config-schema.js
"use strict"; const fs = require("fs"); const packageJsonPath = "./package.json"; const packageJson = require(packageJsonPath); const configurationSchema = require("./node_modules/markdownlint/schema/markdownlint-config-schema.json"); const defaultConfig = require("./default-config.json"); // Update package.json const configurationRoot = packageJson.contributes.configuration.properties["markdownlint.config"]; configurationRoot.default = defaultConfig; configurationRoot.properties = configurationSchema.properties; fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, "\t"));
"use strict"; const fs = require("fs"); const packageJsonPath = "./package.json"; const packageJson = require(packageJsonPath); const configurationSchema = require("./node_modules/markdownlint/schema/markdownlint-config-schema.json"); const defaultConfig = require("./default-config.json"); // Update package.json const configurationRoot = packageJson.contributes.configuration.properties["markdownlint.config"]; configurationRoot.default = defaultConfig; configurationRoot.properties = configurationSchema.properties; fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, "\t") + "\n");
Add trailing newline charater when generating config schema for package.json.
Add trailing newline charater when generating config schema for package.json.
JavaScript
mit
DavidAnson/vscode-markdownlint
--- +++ @@ -10,4 +10,4 @@ const configurationRoot = packageJson.contributes.configuration.properties["markdownlint.config"]; configurationRoot.default = defaultConfig; configurationRoot.properties = configurationSchema.properties; -fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, "\t")); +fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, "\t") + "\n");
75e32c511a6d39650d627bfa42aa5181706ac353
docs/api.rst
docs/api.rst
============= API Reference ============= Though these routines are listed as living under the ``more`` and ``recipes`` submodules, you should just import them from ``more_itertools`` directly. New Routines ============ .. automodule:: more_itertools.more .. autofunction:: chunked .. autofunction:: collate(*iterables, key=lambda a: a, reverse=False) .. autofunction:: consumer .. autofunction:: first(iterable[, default]) .. autofunction:: ilen .. autoclass:: peekable Itertools Recipes ================= .. automodule:: more_itertools.recipes :members:
============= API Reference ============= .. automodule:: more_itertools New Routines ============ .. autofunction:: chunked .. autofunction:: collate(*iterables, key=lambda a: a, reverse=False) .. autofunction:: consumer .. autofunction:: first(iterable[, default]) .. autofunction:: ilen .. autoclass:: peekable Itertools Recipes ================= .. autofunction:: take .. autofunction:: tabulate .. autofunction:: consume .. autofunction:: nth .. autofunction:: quantify .. autofunction:: padnone .. autofunction:: ncycles .. autofunction:: dotproduct .. autofunction:: flatten .. autofunction:: repeatfunc .. autofunction:: pairwise .. autofunction:: grouper .. autofunction:: roundrobin .. autofunction:: powerset .. autofunction:: unique_everseen .. autofunction:: unique_justseen .. autofunction:: iter_except .. autofunction:: random_product .. autofunction:: random_permutation .. autofunction:: random_combination .. autofunction:: random_combination_with_replacement
Make the docs show the routines as residing in the top level of the more_itertools namespace.
Make the docs show the routines as residing in the top level of the more_itertools namespace.
reStructuredText
mit
erikrose/more-itertools,more-itertools/more-itertools,mlyundin/more-itertools
--- +++ @@ -2,14 +2,11 @@ API Reference ============= -Though these routines are listed as living under the ``more`` and ``recipes`` -submodules, you should just import them from ``more_itertools`` directly. +.. automodule:: more_itertools New Routines ============ - -.. automodule:: more_itertools.more .. autofunction:: chunked .. autofunction:: collate(*iterables, key=lambda a: a, reverse=False) @@ -22,5 +19,24 @@ Itertools Recipes ================= -.. automodule:: more_itertools.recipes - :members: + .. autofunction:: take + .. autofunction:: tabulate + .. autofunction:: consume + .. autofunction:: nth + .. autofunction:: quantify + .. autofunction:: padnone + .. autofunction:: ncycles + .. autofunction:: dotproduct + .. autofunction:: flatten + .. autofunction:: repeatfunc + .. autofunction:: pairwise + .. autofunction:: grouper + .. autofunction:: roundrobin + .. autofunction:: powerset + .. autofunction:: unique_everseen + .. autofunction:: unique_justseen + .. autofunction:: iter_except + .. autofunction:: random_product + .. autofunction:: random_permutation + .. autofunction:: random_combination + .. autofunction:: random_combination_with_replacement
7ba020caae9e247335620b86f8e7f51d67787b83
test/helpers/action_creators.py
test/helpers/action_creators.py
from __future__ import absolute_import from .action_types import ( ADD_TODO, DISPATCH_IN_MIDDLE, THROW_ERROR, UNKNOWN_ACTION, ) def add_todo(text): return {'type': ADD_TODO, 'text': text} def add_todo_if_empty(text): def anon(dispatch, get_state): if len(get_state()) == 0: add_todo(text) return anon def dispatch_in_middle(bound_dispatch_fn): return { 'type': DISPATCH_IN_MIDDLE, 'bound_dispatch_fn': bound_dispatch_fn, } def throw_error(): return { 'type': THROW_ERROR, } def unknown_action(): return { 'type': UNKNOWN_ACTION, }
from __future__ import absolute_import from .action_types import ( ADD_TODO, DISPATCH_IN_MIDDLE, THROW_ERROR, UNKNOWN_ACTION, ) def add_todo(text): return {'type': ADD_TODO, 'text': text} def add_todo_if_empty(text): def anon(dispatch, get_state): if len(get_state()) == 0: dispatch(add_todo(text)) return anon def dispatch_in_middle(bound_dispatch_fn): return { 'type': DISPATCH_IN_MIDDLE, 'bound_dispatch_fn': bound_dispatch_fn, } def throw_error(): return { 'type': THROW_ERROR, } def unknown_action(): return { 'type': UNKNOWN_ACTION, }
Fix add_todo_if_empty test helper action creator
Fix add_todo_if_empty test helper action creator
Python
mit
usrlocalben/pydux
--- +++ @@ -10,7 +10,7 @@ def add_todo_if_empty(text): def anon(dispatch, get_state): if len(get_state()) == 0: - add_todo(text) + dispatch(add_todo(text)) return anon def dispatch_in_middle(bound_dispatch_fn):
20620ae39dbda1c9f64d78df7dde44055a1bebe7
package.json
package.json
{ "name": "grunt-reload-chrome", "version": "0.1.4", "description": "A grunt task to reload chrome tabs.", "homepage": "http://github.com/rhalff/grunt-reload-chrome", "author": { "name": "Rob Halff", "url": "http://http://github.com/rhalff" }, "license": "MIT", "repository": { "type": "git", "url": "http://github.com/rhalff/grunt-reload-chrome.git" }, "bugs": { "url": "http://github.com/rhalff/grunt-reload-chrome/issues" }, "main": "Gruntfile.js", "engines": { "node": ">= 0.8.0" }, "scripts": { "test": "grunt test" }, "dependencies": { "chrome-remote-interface": "0.x.x" }, "devDependencies": { "grunt": "0.x.x", "grunt-contrib-watch": "0.x.x", "grunt-contrib-jshint": "0.x.x", "grunt-contrib-nodeunit": "0.x.x", "grunt-cli": "0.x.x", "grunt-release": "0.x.x" }, "peerDependencies": { "grunt": "~0.4.0" }, "keywords": [ "gruntplugin", "chrome", "reload" ] }
{ "name": "grunt-reload-chrome", "version": "0.1.4", "description": "A grunt task to reload chrome tabs.", "homepage": "http://github.com/rhalff/grunt-reload-chrome", "author": { "name": "Rob Halff", "url": "http://http://github.com/rhalff" }, "license": "MIT", "repository": { "type": "git", "url": "http://github.com/rhalff/grunt-reload-chrome.git" }, "bugs": { "url": "http://github.com/rhalff/grunt-reload-chrome/issues" }, "main": "Gruntfile.js", "engines": { "node": ">= 0.8.0" }, "scripts": { "test": "grunt test" }, "dependencies": { "chrome-remote-interface": "0.x.x" }, "devDependencies": { "grunt": "0.x.x", "grunt-contrib-watch": "0.x.x", "grunt-contrib-jshint": "0.x.x", "grunt-contrib-nodeunit": "0.x.x", "grunt-cli": "0.x.x", "grunt-release": "0.x.x" }, "peerDependencies": { "grunt": ">=0.4.0" }, "keywords": [ "gruntplugin", "chrome", "reload" ] }
Update peerDependencies to support Grunt 1.0
Update peerDependencies to support Grunt 1.0 Hello, This is an automated issue request to update the `peerDependencies` for your Grunt plugin. We ask you to merge this and **publish a new release on npm** to get your plugin working in Grunt 1.0! Read more here: http://gruntjs.com/blog/2016-02-11-grunt-1.0.0-rc1-released#peer-dependencies Also on Twitter: https://twitter.com/gruntjs/status/700819604155707392 If you have any questions or you no longer have time to maintain this plugin, then please let us know in this thread. Thanks for creating and working on this plugin! (P.S. Close this PR if it is a mistake, sorry)
JSON
mit
rhalff/grunt-reload-chrome
--- +++ @@ -34,7 +34,7 @@ "grunt-release": "0.x.x" }, "peerDependencies": { - "grunt": "~0.4.0" + "grunt": ">=0.4.0" }, "keywords": [ "gruntplugin",
3ec85229e0358a24a8fa41012e69d8fa1d350ff4
README.md
README.md
This is attempt at implementation of Hirschberg's longest common subsequence algorithm described in: HIRSCHBERG, Daniel S. Algorithms for the longest common subsequence problem. *Journal of the ACM (JACM)*, 1977, 24.4: 664-675.
Add reference to Hirschberg's paper.
Add reference to Hirschberg's paper.
Markdown
bsd-2-clause
wilx/lcs
--- +++ @@ -0,0 +1 @@ +This is attempt at implementation of Hirschberg's longest common subsequence algorithm described in: HIRSCHBERG, Daniel S. Algorithms for the longest common subsequence problem. *Journal of the ACM (JACM)*, 1977, 24.4: 664-675.
c01c4c17b9c47c29c01f3c52d73e966333d6b3dd
.travis.yml
.travis.yml
before_script: - "sh -e /etc/init.d/xvfb start" - "bundle exec rake test_app" env: - DB=sqlite - DB=mysql - DB=postgres script: "DISPLAY=:99.0 bundle exec rake" notifications: email: - [email protected] irc: "irc.freenode.org#spree" branches: only: - 1-0-stable - master rvm: - 1.8.7 - 1.9.3 - ree
before_script: - "sh -e /etc/init.d/xvfb start" - "bundle exec rake test_app" env: - DB=sqlite - DB=mysql - DB=postgres script: "DISPLAY=:99.0 bundle exec rake" notifications: email: - [email protected] irc: "irc.freenode.org#spree" branches: only: - 1-0-stable - master rvm: - 1.8.7 - 1.9.3
Remove ree testing, given that it's the same as 1.8.7p352
Remove ree testing, given that it's the same as 1.8.7p352
YAML
bsd-3-clause
woboinc/spree,keatonrow/spree,kitwalker12/spree,thogg4/spree,ramkumar-kr/spree,wolfieorama/spree,quentinuys/spree,azranel/spree,DarkoP/spree,edgward/spree,jordan-brough/solidus,jparr/spree,vinsol/spree,adaddeo/spree,trigrass2/spree,cutefrank/spree,pjmj777/spree,pulkit21/spree,welitonfreitas/spree,LBRapid/spree,alejandromangione/spree,Lostmyname/spree,Nevensoft/spree,devilcoders/solidus,carlesjove/spree,CJMrozek/spree,Hawaiideveloper/shoppingcart,archSeer/spree,CiscoCloud/spree,reidblomquist/spree,net2b/spree,siddharth28/spree,karlitxo/spree,jasonfb/spree,karlitxo/spree,ayb/spree,tesserakt/clean_spree,jeffboulet/spree,biagidp/spree,vmatekole/spree,Lostmyname/spree,surfdome/spree,kitwalker12/spree,Migweld/spree,softr8/spree,yiqing95/spree,jimblesm/spree,fahidnasir/spree,degica/spree,bjornlinder/Spree,njerrywerry/spree,net2b/spree,jaspreet21anand/spree,FadliKun/spree,vinayvinsol/spree,richardnuno/solidus,Senjai/solidus,carlesjove/spree,Mayvenn/spree,alejandromangione/spree,FadliKun/spree,tesserakt/clean_spree,jsurdilla/solidus,azranel/spree,grzlus/spree,maybii/spree,grzlus/solidus,bricesanchez/spree,useiichi/spree,sfcgeorge/spree,gregoryrikson/spree-sample,piousbox/spree,odk211/spree,wolfieorama/spree,keatonrow/spree,Mayvenn/spree,azclick/spree,assembledbrands/spree,woboinc/spree,omarsar/spree,vcavallo/spree,firman/spree,zaeznet/spree,degica/spree,brchristian/spree,Hates/spree,berkes/spree,Migweld/spree,moneyspyder/spree,woboinc/spree,lsirivong/solidus,NerdsvilleCEO/spree,Kagetsuki/spree,pervino/spree,pjmj777/spree,locomotivapro/spree,vulk/spree,yomishra/pce,kewaunited/spree,volpejoaquin/spree,joanblake/spree,sfcgeorge/spree,Antdesk/karpal-spree,ckk-scratch/solidus,CiscoCloud/spree,Senjai/spree,SadTreeFriends/spree,forkata/solidus,dotandbo/spree,yushine/spree,tancnle/spree,sliaquat/spree,CJMrozek/spree,tancnle/spree,jordan-brough/spree,degica/spree,agient/agientstorefront,mleglise/spree,sunny2601/spree,adaddeo/spree,delphsoft/spree-store-ballchair,NerdsvilleCEO/spree,gautamsawhney/spree,Nevensoft/spree,ckk-scratch/solidus,scottcrawford03/solidus,Hates/spree,Machpowersystems/spree_mach,alvinjean/spree,omarsar/spree,bjornlinder/Spree,raow/spree,nooysters/spree,CJMrozek/spree,reidblomquist/spree,sfcgeorge/spree,shekibobo/spree,brchristian/spree,tailic/spree,DynamoMTL/spree,rajeevriitm/spree,shekibobo/spree,lsirivong/solidus,bjornlinder/Spree,knuepwebdev/FloatTubeRodHolders,welitonfreitas/spree,mindvolt/spree,fahidnasir/spree,Arpsara/solidus,dafontaine/spree,urimikhli/spree,madetech/spree,vulk/spree,quentinuys/spree,fahidnasir/spree,useiichi/spree,yomishra/pce,robodisco/spree,shaywood2/spree,robodisco/spree,vinayvinsol/spree,maybii/spree,richardnuno/solidus,omarsar/spree,JDutil/spree,welitonfreitas/spree,Engeltj/spree,dafontaine/spree,pervino/solidus,sunny2601/spree,jsurdilla/solidus,jspizziri/spree,zamiang/spree,nooysters/spree,Nevensoft/spree,tancnle/spree,patdec/spree,odk211/spree,Hates/spree,lyzxsc/spree,AgilTec/spree,jordan-brough/solidus,ujai/spree,orenf/spree,camelmasa/spree,keatonrow/spree,dandanwei/spree,jhawthorn/spree,rbngzlv/spree,ahmetabdi/spree,softr8/spree,Hawaiideveloper/shoppingcart,RatioClothing/spree,grzlus/spree,nooysters/spree,Antdesk/karpal-spree,Senjai/solidus,vcavallo/spree,radarseesradar/spree,beni55/spree,xuewenfei/solidus,lzcabrera/spree-1-3-stable,zaeznet/spree,softr8/spree,forkata/solidus,Senjai/solidus,maybii/spree,grzlus/solidus,builtbybuffalo/spree,ayb/spree,agient/agientstorefront,zamiang/spree,Ropeney/spree,siddharth28/spree,tancnle/spree,camelmasa/spree,reinaris/spree,useiichi/spree,HealthWave/spree,LBRapid/spree,lsirivong/spree,jsurdilla/solidus,jparr/spree,abhishekjain16/spree,caiqinghua/spree,grzlus/spree,alepore/spree,assembledbrands/spree,DynamoMTL/spree,archSeer/spree,reidblomquist/spree,richardnuno/solidus,StemboltHQ/spree,freerunningtech/spree,azranel/spree,Boomkat/spree,azclick/spree,alejandromangione/spree,dandanwei/spree,sliaquat/spree,patdec/spree,pjmj777/spree,carlesjove/spree,judaro13/spree-fork,locomotivapro/spree,LBRapid/spree,archSeer/spree,tomash/spree,TrialGuides/spree,Ropeney/spree,miyazawatomoka/spree,useiichi/spree,locomotivapro/spree,APohio/spree,codesavvy/sandbox,thogg4/spree,volpejoaquin/spree,thogg4/spree,gregoryrikson/spree-sample,piousbox/spree,Senjai/spree,shaywood2/spree,robodisco/spree,AgilTec/spree,APohio/spree,azclick/spree,berkes/spree,jimblesm/spree,miyazawatomoka/spree,DarkoP/spree,surfdome/spree,SadTreeFriends/spree,devilcoders/solidus,builtbybuffalo/spree,vmatekole/spree,dotandbo/spree,radarseesradar/spree,devilcoders/solidus,gautamsawhney/spree,ramkumar-kr/spree,wolfieorama/spree,hifly/spree,shaywood2/spree,karlitxo/spree,jordan-brough/spree,wolfieorama/spree,reinaris/spree,hoanghiep90/spree,volpejoaquin/spree,project-eutopia/spree,Boomkat/spree,scottcrawford03/solidus,ckk-scratch/solidus,camelmasa/spree,reinaris/spree,yushine/spree,hoanghiep90/spree,tailic/spree,dotandbo/spree,bonobos/solidus,progsri/spree,progsri/spree,DarkoP/spree,PhoenixTeam/spree_phoenix,ahmetabdi/spree,dafontaine/spree,rbngzlv/spree,Antdesk/karpal-spree,vinsol/spree,bonobos/solidus,firman/spree,bonobos/solidus,NerdsvilleCEO/spree,jeffboulet/spree,edgward/spree,sfcgeorge/spree,jspizziri/spree,net2b/spree,alepore/spree,jspizziri/spree,mindvolt/spree,Hawaiideveloper/shoppingcart,gautamsawhney/spree,scottcrawford03/solidus,zamiang/spree,xuewenfei/solidus,codesavvy/sandbox,groundctrl/spree,assembledbrands/spree,miyazawatomoka/spree,patdec/spree,DynamoMTL/spree,adaddeo/spree,Kagetsuki/spree,calvinl/spree,dafontaine/spree,sliaquat/spree,grzlus/solidus,njerrywerry/spree,beni55/spree,ujai/spree,camelmasa/spree,freerunningtech/spree,Engeltj/spree,TimurTarasenko/spree,watg/spree,bricesanchez/spree,kitwalker12/spree,Boomkat/spree,priyank-gupta/spree,omarsar/spree,shekibobo/spree,trigrass2/spree,groundctrl/spree,pervino/spree,radarseesradar/spree,AgilTec/spree,reidblomquist/spree,JuandGirald/spree,bonobos/solidus,JDutil/spree,surfdome/spree,moneyspyder/spree,madetech/spree,tesserakt/clean_spree,AgilTec/spree,lyzxsc/spree,tomash/spree,alvinjean/spree,TimurTarasenko/spree,Senjai/spree,pulkit21/spree,njerrywerry/spree,tailic/spree,caiqinghua/spree,patdec/spree,delphsoft/spree-store-ballchair,jasonfb/spree,kewaunited/spree,SadTreeFriends/spree,jparr/spree,alvinjean/spree,Mayvenn/spree,jhawthorn/spree,beni55/spree,groundctrl/spree,APohio/spree,KMikhaylovCTG/spree,pervino/solidus,robodisco/spree,jspizziri/spree,lyzxsc/spree,KMikhaylovCTG/spree,rakibulislam/spree,yiqing95/spree,shioyama/spree,freerunningtech/spree,reinaris/spree,TrialGuides/spree,DarkoP/spree,raow/spree,maybii/spree,pervino/solidus,lsirivong/solidus,vmatekole/spree,mindvolt/spree,shioyama/spree,njerrywerry/spree,sunny2601/spree,PhoenixTeam/spree_phoenix,kewaunited/spree,Migweld/spree,zaeznet/spree,NerdsvilleCEO/spree,yomishra/pce,JDutil/spree,watg/spree,vinsol/spree,PhoenixTeam/spree_phoenix,bricesanchez/spree,sliaquat/spree,dotandbo/spree,judaro13/spree-fork,knuepwebdev/FloatTubeRodHolders,KMikhaylovCTG/spree,caiqinghua/spree,gregoryrikson/spree-sample,sideci-sample/sideci-sample-spree,keatonrow/spree,xuewenfei/solidus,locomotivapro/spree,Hates/spree,tomash/spree,volpejoaquin/spree,athal7/solidus,siddharth28/spree,ayb/spree,progsri/spree,priyank-gupta/spree,PhoenixTeam/spree_phoenix,JuandGirald/spree,adaddeo/spree,jasonfb/spree,ahmetabdi/spree,CiscoCloud/spree,grzlus/solidus,rakibulislam/spree,priyank-gupta/spree,Boomkat/spree,agient/agientstorefront,biagidp/spree,dandanwei/spree,miyazawatomoka/spree,project-eutopia/spree,calvinl/spree,forkata/solidus,ramkumar-kr/spree,Engeltj/spree,imella/spree,quentinuys/spree,sideci-sample/sideci-sample-spree,Lostmyname/spree,zamiang/spree,Kagetsuki/spree,mleglise/spree,delphsoft/spree-store-ballchair,berkes/spree,dandanwei/spree,tesserakt/clean_spree,richardnuno/solidus,groundctrl/spree,pervino/solidus,TimurTarasenko/spree,shekibobo/spree,ramkumar-kr/spree,lzcabrera/spree-1-3-stable,CiscoCloud/spree,delphsoft/spree-store-ballchair,derekluo/spree,thogg4/spree,karlitxo/spree,alvinjean/spree,alejandromangione/spree,scottcrawford03/solidus,madetech/spree,Lostmyname/spree,codesavvy/sandbox,piousbox/spree,agient/agientstorefront,lsirivong/spree,jeffboulet/spree,cutefrank/spree,TrialGuides/spree,siddharth28/spree,APohio/spree,project-eutopia/spree,radarseesradar/spree,alepore/spree,gautamsawhney/spree,Machpowersystems/spree_mach,odk211/spree,JuandGirald/spree,trigrass2/spree,calvinl/spree,ujai/spree,lsirivong/solidus,rbngzlv/spree,codesavvy/sandbox,Ropeney/spree,jaspreet21anand/spree,welitonfreitas/spree,jeffboulet/spree,fahidnasir/spree,abhishekjain16/spree,RatioClothing/spree,shioyama/spree,jordan-brough/solidus,biagidp/spree,jimblesm/spree,vinayvinsol/spree,rajeevriitm/spree,calvinl/spree,grzlus/spree,mleglise/spree,forkata/solidus,athal7/solidus,jsurdilla/solidus,lzcabrera/spree-1-3-stable,derekluo/spree,KMikhaylovCTG/spree,knuepwebdev/FloatTubeRodHolders,urimikhli/spree,cutefrank/spree,odk211/spree,vulk/spree,azclick/spree,athal7/solidus,CJMrozek/spree,pervino/spree,Nevensoft/spree,hifly/spree,surfdome/spree,FadliKun/spree,joanblake/spree,Ropeney/spree,abhishekjain16/spree,softr8/spree,progsri/spree,yiqing95/spree,derekluo/spree,urimikhli/spree,JuandGirald/spree,edgward/spree,Engeltj/spree,judaro13/spree-fork,zaeznet/spree,SadTreeFriends/spree,caiqinghua/spree,carlesjove/spree,vcavallo/spree,hoanghiep90/spree,jaspreet21anand/spree,HealthWave/spree,Machpowersystems/spree_mach,vulk/spree,jparr/spree,hifly/spree,lyzxsc/spree,priyank-gupta/spree,yushine/spree,gregoryrikson/spree-sample,ckk-scratch/solidus,brchristian/spree,net2b/spree,madetech/spree,vinayvinsol/spree,joanblake/spree,jasonfb/spree,orenf/spree,archSeer/spree,jordan-brough/spree,jaspreet21anand/spree,edgward/spree,firman/spree,StemboltHQ/spree,piousbox/spree,beni55/spree,shaywood2/spree,derekluo/spree,hoanghiep90/spree,tomash/spree,quentinuys/spree,rbngzlv/spree,azranel/spree,FadliKun/spree,jhawthorn/spree,mindvolt/spree,mleglise/spree,builtbybuffalo/spree,orenf/spree,berkes/spree,pulkit21/spree,project-eutopia/spree,RatioClothing/spree,pervino/spree,jordan-brough/solidus,imella/spree,Kagetsuki/spree,StemboltHQ/spree,orenf/spree,Senjai/solidus,brchristian/spree,trigrass2/spree,rajeevriitm/spree,vmatekole/spree,JDutil/spree,raow/spree,rakibulislam/spree,HealthWave/spree,ahmetabdi/spree,yushine/spree,moneyspyder/spree,pulkit21/spree,DynamoMTL/spree,Hawaiideveloper/shoppingcart,moneyspyder/spree,rajeevriitm/spree,sunny2601/spree,hifly/spree,vcavallo/spree,lsirivong/spree,xuewenfei/solidus,rakibulislam/spree,yiqing95/spree,raow/spree,athal7/solidus,firman/spree,Mayvenn/spree,ayb/spree,TrialGuides/spree,sideci-sample/sideci-sample-spree,builtbybuffalo/spree,kewaunited/spree,cutefrank/spree,abhishekjain16/spree,TimurTarasenko/spree,imella/spree,watg/spree,lsirivong/spree,nooysters/spree,Arpsara/solidus,Arpsara/solidus,Migweld/spree,jimblesm/spree,joanblake/spree,vinsol/spree,devilcoders/solidus,Arpsara/solidus
--- +++ @@ -17,4 +17,3 @@ rvm: - 1.8.7 - 1.9.3 - - ree
58ecfb3a0d55a675c5ccdf67e97ffb0593691aa9
app/views/admin/github_repositories/show.html.erb
app/views/admin/github_repositories/show.html.erb
<div class="row"> <%= simple_form_for(@github_repository, url: admin_github_repository_path(@github_repository.id), html: { class: 'form-vertical col-md-6' }) do |form| %> <h2> Admin / <%= link_to @github_repository.full_name, github_repository_path(@github_repository.owner_name, @github_repository.project_name) %> <%= link_to fa_icon('github'), @github_repository.url, target: :blank %> </h2> <%= form.input :licenses, include_blank: true, selected: @github_repository.license, label: 'License', collection: Project.popular_licenses(:facet_limit => 100).map{|l| format_license(l.term) } %> <%= form.submit class: 'btn btn-primary' %> <% end %> </div>
<div class="row"> <%= simple_form_for(@github_repository, url: admin_github_repository_path(@github_repository.id), html: { class: 'form-vertical col-md-6' }) do |form| %> <h2> Admin / <%= link_to @github_repository.full_name, github_repository_path(@github_repository.owner_name, @github_repository.project_name) %> <%= link_to fa_icon('github'), @github_repository.url, target: :blank %> </h2> <%= form.input :license, include_blank: true, selected: @github_repository.license, label: 'License', collection: Project.popular_licenses(:facet_limit => 100).map{|l| format_license(l.term) } %> <%= form.submit class: 'btn btn-primary' %> <% end %> </div>
Fix github repo license selects
Fix github repo license selects
HTML+ERB
agpl-3.0
tomnatt/libraries.io,abrophy/libraries.io,samjacobclift/libraries.io,abrophy/libraries.io,samjacobclift/libraries.io,abrophy/libraries.io,librariesio/libraries.io,tomnatt/libraries.io,librariesio/libraries.io,librariesio/libraries.io,librariesio/libraries.io,samjacobclift/libraries.io,tomnatt/libraries.io
--- +++ @@ -5,7 +5,7 @@ <%= link_to fa_icon('github'), @github_repository.url, target: :blank %> </h2> - <%= form.input :licenses, include_blank: true, selected: @github_repository.license, label: 'License', collection: Project.popular_licenses(:facet_limit => 100).map{|l| format_license(l.term) } %> + <%= form.input :license, include_blank: true, selected: @github_repository.license, label: 'License', collection: Project.popular_licenses(:facet_limit => 100).map{|l| format_license(l.term) } %> <%= form.submit class: 'btn btn-primary' %> <% end %>
fd2fb1de6953773de73e3958eb7266c6461c4668
.github/workflows/python-app.yml
.github/workflows/python-app.yml
# This workflow will install Python dependencies, run tests and lint with a single version of Python # For more information see: https://help.github.com/actions/language-and-framework-guides/using-python-with-github-actions name: Python application on: push: branches: [ monaparty-develop ] pull_request: branches: [ monaparty-develop ] jobs: build: runs-on: ubuntu-latest strategy: fail-fast: false matrix: python-version: [3.5,3.6] steps: - uses: actions/checkout@v2 - name: Set up Python ${{ matrix.python-version }} uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - name: Install dependencies run: | python -m pip install --upgrade pip pip install flake8 pytest if [ -f requirements.txt ]; then pip install -r requirements.txt; fi - name: Lint with flake8 run: | # stop the build if there are Python syntax errors or undefined names flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics # exit-zero treats all errors as warnings. The GitHub editor is 127 chars wide flake8 . --count --exit-zero --max-complexity=10 --max-line-length=127 --statistics - name: Build run: | python setup.py install
# This workflow will install Python dependencies, run tests and lint with a single version of Python # For more information see: https://help.github.com/actions/language-and-framework-guides/using-python-with-github-actions name: Python application on: push: branches: [ monaparty-develop ] pull_request: branches: [ monaparty-develop ] jobs: build: runs-on: ubuntu-latest strategy: fail-fast: false matrix: python-version: [3.5,3.6] steps: - uses: actions/checkout@v2 - name: Set up Python ${{ matrix.python-version }} uses: actions/setup-python@v2 with: python-version: ${{ matrix.python-version }} - name: Install dependencies run: | python -m pip install --upgrade pip pip install flake8 pytest appdirs if [ -f requirements.txt ]; then pip install -r requirements.txt; fi - name: Lint with flake8 run: | # stop the build if there are Python syntax errors or undefined names flake8 . --count --select=E9,F63,F7,F82 --show-source --statistics # exit-zero treats all errors as warnings. The GitHub editor is 127 chars wide flake8 . --count --exit-zero --max-complexity=10 --max-line-length=127 --statistics - name: Build run: | python setup.py install
Install appdirs before running setup.py.
Install appdirs before running setup.py.
YAML
mit
monaparty/counterparty-lib,monaparty/counterparty-lib
--- +++ @@ -27,7 +27,7 @@ - name: Install dependencies run: | python -m pip install --upgrade pip - pip install flake8 pytest + pip install flake8 pytest appdirs if [ -f requirements.txt ]; then pip install -r requirements.txt; fi - name: Lint with flake8 run: |
1253e29f7bb08cd60bafbd15d70079f47047f3f9
.travis.yml
.travis.yml
language: php php: - 5.4 - 5.5 - 5.6 - hhvm sudo: false # enables docker install: - composer install notifications: webhooks: http://basho-engbot.herokuapp.com/travis?key=8d594c660ec46f616e37e24fd941c0ea1fc67963 email: [email protected] script: "php vendor/bin/phpunit --testsuite 'Unit Tests'"
language: php php: - 5.4 - 5.5 - 5.6 - 7.0 - hhvm # enables docker sudo: false addons: hosts: - riak-test before_script: - composer self-update - composer install - riak-admin bucket-type create phptest_counters '{"props":{"datatype":"counter"}}' - riak-admin bucket-type create phptest_maps '{"props":{"datatype":"map"}}' - riak-admin bucket-type create phptest_sets '{"props":{"datatype":"set"}}' - riak-admin bucket-type create phptest_search '{"props":{}}' - riak-admin bucket-type create phptest_leveldb '{"props":{"backend":"leveldb_backend"}}' - riak-admin bucket-type activate phptest_counters - riak-admin bucket-type activate phptest_maps - riak-admin bucket-type activate phptest_sets - riak-admin bucket-type activate phptest_search - riak-admin bucket-type activate phptest_leveldb notifications: webhooks: http://basho-engbot.herokuapp.com/travis?key=8d594c660ec46f616e37e24fd941c0ea1fc67963 email: [email protected] script: "./vendor/bin/phpunit --coverage-text" services: - riak matrix: allow_failures: - php: 7.0
Enable Riak service, add riak-test host, add needed bucket types for testing, add coverage info to phpunit run, open up phpunit run to all tests, add php7 to list of php releases to test against ignoring any failures for it, add composer self-update.
Enable Riak service, add riak-test host, add needed bucket types for testing, add coverage info to phpunit run, open up phpunit run to all tests, add php7 to list of php releases to test against ignoring any failures for it, add composer self-update.
YAML
apache-2.0
basho/riak-php-client
--- +++ @@ -1,13 +1,42 @@ language: php + php: - 5.4 - 5.5 - 5.6 + - 7.0 - hhvm -sudo: false # enables docker -install: + +# enables docker +sudo: false + +addons: + hosts: + - riak-test + +before_script: + - composer self-update - composer install + - riak-admin bucket-type create phptest_counters '{"props":{"datatype":"counter"}}' + - riak-admin bucket-type create phptest_maps '{"props":{"datatype":"map"}}' + - riak-admin bucket-type create phptest_sets '{"props":{"datatype":"set"}}' + - riak-admin bucket-type create phptest_search '{"props":{}}' + - riak-admin bucket-type create phptest_leveldb '{"props":{"backend":"leveldb_backend"}}' + - riak-admin bucket-type activate phptest_counters + - riak-admin bucket-type activate phptest_maps + - riak-admin bucket-type activate phptest_sets + - riak-admin bucket-type activate phptest_search + - riak-admin bucket-type activate phptest_leveldb + notifications: webhooks: http://basho-engbot.herokuapp.com/travis?key=8d594c660ec46f616e37e24fd941c0ea1fc67963 email: [email protected] -script: "php vendor/bin/phpunit --testsuite 'Unit Tests'" + +script: "./vendor/bin/phpunit --coverage-text" + +services: + - riak + +matrix: + allow_failures: + - php: 7.0
315f0ba79a0312cecc3e2b864329cf8845735ea9
scripts/app.js
scripts/app.js
'use strict'; /** * @ngdoc overview * @name angularBootstrapCalendarApp * @description * # angularBootstrapCalendarApp * * Main module of the application. */ angular .module('mwl.calendar', [ 'ui.bootstrap.tooltip' ]);
'use strict'; /** * @ngdoc overview * @name angularBootstrapCalendarApp * @description * # angularBootstrapCalendarApp * * Main module of the application. */ angular .module('mwl.calendar', [ 'ui.bootstrap' ]);
Revert "Lower ui bootstraps dependency to only the tooltip"
Revert "Lower ui bootstraps dependency to only the tooltip" This reverts commit a699e4304a2f75a49d7d8d6769646b1fabdbadcf.
JavaScript
mit
nameandlogo/angular-bootstrap-calendar,danibram/angular-bootstrap-calendar-modded,danibram/angular-bootstrap-calendar-modded,polarbird/angular-bootstrap-calendar,alexjohnson505/angular-bootstrap-calendar,rasulnz/angular-bootstrap-calendar,rasulnz/angular-bootstrap-calendar,CapeSepias/angular-bootstrap-calendar,LandoB/angular-bootstrap-calendar,yukisan/angular-bootstrap-calendar,dungeoncraw/angular-bootstrap-calendar,dungeoncraw/angular-bootstrap-calendar,AladdinSonni/angular-bootstrap-calendar,jmsherry/angular-bootstrap-calendar,seawenzhu/angular-bootstrap-calendar,farmersweb/angular-bootstrap-calendar,abrahampeh/angular-bootstrap-calendar,LandoB/angular-bootstrap-calendar,lekhmanrus/angular-bootstrap-calendar,CapeSepias/angular-bootstrap-calendar,mattlewis92/angular-bootstrap-calendar,seawenzhu/angular-bootstrap-calendar,nameandlogo/angular-bootstrap-calendar,alexjohnson505/angular-bootstrap-calendar,AladdinSonni/angular-bootstrap-calendar,plantwebdesign/angular-bootstrap-calendar,plantwebdesign/angular-bootstrap-calendar,lekhmanrus/angular-bootstrap-calendar,farmersweb/angular-bootstrap-calendar,KevinEverywhere/ts-angular-bootstrap-calendar,Jupitar/angular-material-calendar,KevinEverywhere/ts-angular-bootstrap-calendar,polarbird/angular-bootstrap-calendar,jmsherry/angular-bootstrap-calendar,abrahampeh/angular-bootstrap-calendar,asurinov/angular-bootstrap-calendar,mattlewis92/angular-bootstrap-calendar,asurinov/angular-bootstrap-calendar,yukisan/angular-bootstrap-calendar,Jupitar/angular-material-calendar
--- +++ @@ -10,5 +10,5 @@ */ angular .module('mwl.calendar', [ - 'ui.bootstrap.tooltip' + 'ui.bootstrap' ]);
e85a7cdc5ce1444f6b7af3d4cb7f89a9356166a3
requirements.txt
requirements.txt
flake8==3.6.0 pytest==4.4.1 pytest-cov==2.6.0 tox==3.9.0 isort==4.3.18 -e .
flake8==3.6.0 pytest==4.4.1 pytest-cov==2.7.1 tox==3.9.0 isort==4.3.18 -e .
Update pytest-cov from 2.6.0 to 2.7.1
Update pytest-cov from 2.6.0 to 2.7.1
Text
mit
wikibusiness/aioslacker
--- +++ @@ -1,6 +1,6 @@ flake8==3.6.0 pytest==4.4.1 -pytest-cov==2.6.0 +pytest-cov==2.7.1 tox==3.9.0 isort==4.3.18 -e .
8d506d001cec714a8b0573bc23281995331eff9a
documentsubtypes.md
documentsubtypes.md
--- title: Document Subtypes summary: This is a list of Document Subtypes and the appropriate encoded value to use with API requests. layout: default nav: fields --- # {{ page.title }} {{ page.data.summary }} <table> <thead> <th>Subtype Name</th> <th>Encoded Value</th> </thead> <tbody> {% for subtype in site.data.documentsubtypes %} <tr> <td> {{ subtype.value }} </td> <td> {% highlight html %} {{ subtype.value | uri_escape }} {% endhighlight %} </td> </tr> {% endfor %} </tbody> </table> <body id="documentsubtypes"></body>
--- title: Document Subtypes summary: This is a list of Document Subtypes and the appropriate encoded value to use with API requests. layout: default nav: fields --- # {{ page.title }} {{ page.data.summary }} <p>Document Subtypes vary by Agency, each Agency having it's own set of values. This listing is for convenience to help users get the URI Escaped value, which will be needed for your request.</p> <table> <thead> <th>Subtype Name</th> <th>Encoded Value</th> </thead> <tbody> {% for subtype in site.data.documentsubtypes %} <tr> <td> {{ subtype.value }} </td> <td> {% highlight html %} {{ subtype.value | uri_escape }} {% endhighlight %} </td> </tr> {% endfor %} </tbody> </table> <body id="documentsubtypes"></body>
Add an intro to document subtypes page
Add an intro to document subtypes page
Markdown
unlicense
YOTOV-LIMITED/developers,YOTOV-LIMITED/developers,YOTOV-LIMITED/developers
--- +++ @@ -7,7 +7,7 @@ # {{ page.title }} {{ page.data.summary }} - +<p>Document Subtypes vary by Agency, each Agency having it's own set of values. This listing is for convenience to help users get the URI Escaped value, which will be needed for your request.</p> <table> <thead> <th>Subtype Name</th>
f2b9463ee744299caaae1f936003e53ae0e826a6
tasks/style.js
tasks/style.js
/*eslint-disable no-alert, no-console */ import gulp from 'gulp'; import gulpLoadPlugins from 'gulp-load-plugins'; import * as paths from './paths'; const $ = gulpLoadPlugins(); gulp.task('compile:styles', () => { const AUTOPREFIXER_BROWSERS = [ 'ie >= 10', 'ie_mob >= 10', 'ff >= 30', 'chrome >= 34', 'safari >= 7', 'opera >= 23', 'ios >= 7', 'android >= 4.4', 'bb >= 10' ]; return gulp.src(paths.SRC_STYLE) .pipe($.plumber({ errorHandler: (err) => { console.log(err); this.emit('end'); } })) .pipe($.changed(paths.BUILD_DIR, {extension: '.css'})) .pipe($.sass().on('error', $.sass.logError)) .pipe($.autoprefixer(AUTOPREFIXER_BROWSERS)) .pipe(gulp.dest(paths.TMP_DIR)) });
/*eslint-disable no-alert, no-console */ import gulp from 'gulp'; import gulpLoadPlugins from 'gulp-load-plugins'; import * as paths from './paths'; const $ = gulpLoadPlugins(); gulp.task('compile:styles', () => { // See https://github.com/ai/browserslist for more details on how to set // browser versions const AUTOPREFIXER_BROWSERS = ['last 2 versions'] return gulp.src(paths.SRC_STYLE) .pipe($.plumber({ errorHandler: (err) => { console.log(err); this.emit('end'); } })) .pipe($.changed(paths.BUILD_DIR, {extension: '.css'})) .pipe($.sass().on('error', $.sass.logError)) .pipe($.autoprefixer(AUTOPREFIXER_BROWSERS)) .pipe(gulp.dest(paths.TMP_DIR)) });
Simplify browser version selection for autoprefixer
Simplify browser version selection for autoprefixer
JavaScript
unlicense
gsong/es6-jspm-gulp-starter,gsong/es6-jspm-gulp-starter
--- +++ @@ -9,17 +9,9 @@ gulp.task('compile:styles', () => { - const AUTOPREFIXER_BROWSERS = [ - 'ie >= 10', - 'ie_mob >= 10', - 'ff >= 30', - 'chrome >= 34', - 'safari >= 7', - 'opera >= 23', - 'ios >= 7', - 'android >= 4.4', - 'bb >= 10' - ]; + // See https://github.com/ai/browserslist for more details on how to set + // browser versions + const AUTOPREFIXER_BROWSERS = ['last 2 versions'] return gulp.src(paths.SRC_STYLE) .pipe($.plumber({
15dd4825f1f9c622d5179b896c4c1c76252c4a49
nuget-pack.sh
nuget-pack.sh
#!/bin/sh #usage: nuget-pack <version> if [[ "$1" == "-h" ]]; then print-file-comments "$0"; exit; fi version="$1" if [[ -z "$version" ]]; then echo 1>&2 "fatal: version required" exec print-file-comments "$0" exit 1 fi tag="nuget-$version" dotnet pack src/rm.Extensions/rm.Extensions.csproj \ -c Release \ --include-symbols //p:SymbolPackageFormat=snupkg \ -o .nupkg/ \ //p:PackageVersion="$version" \ //p:PackageReleaseNotes="tag: $tag" \ && git tag "$tag" -m "Create nuget tag $tag"
#!/bin/sh #usage: nuget-pack <version> if [[ "$1" == "-h" ]]; then print-file-comments "$0"; exit; fi version="$1" if [[ -z "$version" ]]; then echo 1>&2 "fatal: version required" exec print-file-comments "$0" exit 1 fi tag="nuget-$version" commit_hash=$(git rev-parse @) metadata="$commit_hash" dotnet pack src/rm.Extensions/rm.Extensions.csproj \ -c Release \ --include-symbols //p:SymbolPackageFormat=snupkg \ -o .nupkg/ \ //p:PackageVersion="$version+$metadata" \ //p:PackageReleaseNotes="tag: $tag" \ && git tag "$tag" -m "Create nuget tag $tag"
Add build metadata to version
build: Add build metadata to version See https://docs.microsoft.com/en-us/nuget/concepts/package-versioning#semantic-versioning-200
Shell
mit
rmandvikar/csharp-extensions,rmandvikar/csharp-extensions
--- +++ @@ -12,11 +12,13 @@ fi tag="nuget-$version" +commit_hash=$(git rev-parse @) +metadata="$commit_hash" dotnet pack src/rm.Extensions/rm.Extensions.csproj \ -c Release \ --include-symbols //p:SymbolPackageFormat=snupkg \ -o .nupkg/ \ - //p:PackageVersion="$version" \ + //p:PackageVersion="$version+$metadata" \ //p:PackageReleaseNotes="tag: $tag" \ && git tag "$tag" -m "Create nuget tag $tag"
7ffa827974f9b05ebf857be3c2c4a99958bd52d1
Casks/trailer.rb
Casks/trailer.rb
cask :v1 => 'trailer' do version '1.3.6' sha256 'e42dabd6b7759fdd9a816f0c04c2eb6f7dd15c21de47048d8228f6bffd6dc41d' url "https://ptsochantaris.github.io/trailer/trailer#{version.delete('.')}.zip" appcast 'https://ptsochantaris.github.io/trailer/appcast.xml', :sha256 => 'aaf3f91888b757ec234643a9f45259fd9650a687c6146c723084e7d80979a6a4' name 'Trailer' homepage 'https://ptsochantaris.github.io/trailer/' license :mit app 'Trailer.app' end
cask :v1 => 'trailer' do version '1.3.7' sha256 '9f022093051d6512a888cb1a0760afebed51e7c9f33dd991a81218f492491e55' url "https://ptsochantaris.github.io/trailer/trailer#{version.delete('.')}.zip" appcast 'https://ptsochantaris.github.io/trailer/appcast.xml', :sha256 => 'aaf3f91888b757ec234643a9f45259fd9650a687c6146c723084e7d80979a6a4' name 'Trailer' homepage 'https://ptsochantaris.github.io/trailer/' license :mit app 'Trailer.app' end
Update Trailer to version 1.3.7
Update Trailer to version 1.3.7 This commit updates the version and sha256 stanzas.
Ruby
bsd-2-clause
cblecker/homebrew-cask,kamilboratynski/homebrew-cask,blogabe/homebrew-cask,sosedoff/homebrew-cask,rickychilcott/homebrew-cask,wuman/homebrew-cask,timsutton/homebrew-cask,chadcatlett/caskroom-homebrew-cask,githubutilities/homebrew-cask,mahori/homebrew-cask,kiliankoe/homebrew-cask,sgnh/homebrew-cask,josa42/homebrew-cask,moimikey/homebrew-cask,guerrero/homebrew-cask,MerelyAPseudonym/homebrew-cask,buo/homebrew-cask,nysthee/homebrew-cask,josa42/homebrew-cask,sscotth/homebrew-cask,stevehedrick/homebrew-cask,mikem/homebrew-cask,hyuna917/homebrew-cask,vin047/homebrew-cask,imgarylai/homebrew-cask,moogar0880/homebrew-cask,fanquake/homebrew-cask,seanzxx/homebrew-cask,johnjelinek/homebrew-cask,janlugt/homebrew-cask,julionc/homebrew-cask,moimikey/homebrew-cask,corbt/homebrew-cask,sanchezm/homebrew-cask,nathanielvarona/homebrew-cask,rhendric/homebrew-cask,exherb/homebrew-cask,afh/homebrew-cask,JoelLarson/homebrew-cask,mikem/homebrew-cask,vigosan/homebrew-cask,jeanregisser/homebrew-cask,koenrh/homebrew-cask,Dremora/homebrew-cask,feigaochn/homebrew-cask,miccal/homebrew-cask,Ngrd/homebrew-cask,Ephemera/homebrew-cask,yuhki50/homebrew-cask,yumitsu/homebrew-cask,ebraminio/homebrew-cask,nathancahill/homebrew-cask,julionc/homebrew-cask,ajbw/homebrew-cask,JacopKane/homebrew-cask,alebcay/homebrew-cask,athrunsun/homebrew-cask,scribblemaniac/homebrew-cask,bosr/homebrew-cask,arronmabrey/homebrew-cask,coeligena/homebrew-customized,mazehall/homebrew-cask,MatzFan/homebrew-cask,singingwolfboy/homebrew-cask,amatos/homebrew-cask,Saklad5/homebrew-cask,guylabs/homebrew-cask,giannitm/homebrew-cask,kassi/homebrew-cask,ahundt/homebrew-cask,timsutton/homebrew-cask,tan9/homebrew-cask,taherio/homebrew-cask,mishari/homebrew-cask,qbmiller/homebrew-cask,miccal/homebrew-cask,gurghet/homebrew-cask,gyndav/homebrew-cask,andrewdisley/homebrew-cask,bric3/homebrew-cask,mwek/homebrew-cask,boydj/homebrew-cask,thomanq/homebrew-cask,sosedoff/homebrew-cask,JacopKane/homebrew-cask,mokagio/homebrew-cask,otaran/homebrew-cask,jeanregisser/homebrew-cask,brianshumate/homebrew-cask,reelsense/homebrew-cask,MichaelPei/homebrew-cask,jonathanwiesel/homebrew-cask,joschi/homebrew-cask,m3nu/homebrew-cask,lifepillar/homebrew-cask,singingwolfboy/homebrew-cask,buo/homebrew-cask,gabrielizaias/homebrew-cask,exherb/homebrew-cask,skatsuta/homebrew-cask,otaran/homebrew-cask,amatos/homebrew-cask,syscrusher/homebrew-cask,athrunsun/homebrew-cask,wKovacs64/homebrew-cask,fharbe/homebrew-cask,johan/homebrew-cask,zorosteven/homebrew-cask,phpwutz/homebrew-cask,nrlquaker/homebrew-cask,dictcp/homebrew-cask,dieterdemeyer/homebrew-cask,christophermanning/homebrew-cask,sanchezm/homebrew-cask,tolbkni/homebrew-cask,slnovak/homebrew-cask,hyuna917/homebrew-cask,Labutin/homebrew-cask,daften/homebrew-cask,jaredsampson/homebrew-cask,koenrh/homebrew-cask,y00rb/homebrew-cask,rubenerd/homebrew-cask,gmkey/homebrew-cask,jellyfishcoder/homebrew-cask,kongslund/homebrew-cask,alexg0/homebrew-cask,inta/homebrew-cask,xyb/homebrew-cask,ywfwj2008/homebrew-cask,mrmachine/homebrew-cask,ayohrling/homebrew-cask,13k/homebrew-cask,forevergenin/homebrew-cask,yutarody/homebrew-cask,optikfluffel/homebrew-cask,ptb/homebrew-cask,samdoran/homebrew-cask,gibsjose/homebrew-cask,gerrypower/homebrew-cask,lukeadams/homebrew-cask,jiashuw/homebrew-cask,seanorama/homebrew-cask,13k/homebrew-cask,deanmorin/homebrew-cask,sgnh/homebrew-cask,tmoreira2020/homebrew,markhuber/homebrew-cask,forevergenin/homebrew-cask,lantrix/homebrew-cask,Ngrd/homebrew-cask,norio-nomura/homebrew-cask,paour/homebrew-cask,asbachb/homebrew-cask,kiliankoe/homebrew-cask,neverfox/homebrew-cask,mchlrmrz/homebrew-cask,n8henrie/homebrew-cask,fkrone/homebrew-cask,kingthorin/homebrew-cask,ericbn/homebrew-cask,jacobbednarz/homebrew-cask,hakamadare/homebrew-cask,tyage/homebrew-cask,nrlquaker/homebrew-cask,victorpopkov/homebrew-cask,nickpellant/homebrew-cask,colindunn/homebrew-cask,claui/homebrew-cask,JosephViolago/homebrew-cask,hanxue/caskroom,hristozov/homebrew-cask,tyage/homebrew-cask,devmynd/homebrew-cask,shorshe/homebrew-cask,imgarylai/homebrew-cask,boecko/homebrew-cask,mjdescy/homebrew-cask,JoelLarson/homebrew-cask,xcezx/homebrew-cask,alexg0/homebrew-cask,lcasey001/homebrew-cask,thii/homebrew-cask,diguage/homebrew-cask,MoOx/homebrew-cask,leonmachadowilcox/homebrew-cask,colindean/homebrew-cask,psibre/homebrew-cask,yurikoles/homebrew-cask,hanxue/caskroom,sjackman/homebrew-cask,kuno/homebrew-cask,ptb/homebrew-cask,Fedalto/homebrew-cask,jgarber623/homebrew-cask,casidiablo/homebrew-cask,gabrielizaias/homebrew-cask,antogg/homebrew-cask,claui/homebrew-cask,artdevjs/homebrew-cask,yurikoles/homebrew-cask,sebcode/homebrew-cask,cfillion/homebrew-cask,coeligena/homebrew-customized,uetchy/homebrew-cask,jawshooah/homebrew-cask,FinalDes/homebrew-cask,linc01n/homebrew-cask,thehunmonkgroup/homebrew-cask,FinalDes/homebrew-cask,onlynone/homebrew-cask,mauricerkelly/homebrew-cask,taherio/homebrew-cask,mgryszko/homebrew-cask,kteru/homebrew-cask,fharbe/homebrew-cask,xyb/homebrew-cask,jayshao/homebrew-cask,mingzhi22/homebrew-cask,BenjaminHCCarr/homebrew-cask,pkq/homebrew-cask,stonehippo/homebrew-cask,shoichiaizawa/homebrew-cask,leipert/homebrew-cask,chrisRidgers/homebrew-cask,retrography/homebrew-cask,renard/homebrew-cask,miguelfrde/homebrew-cask,anbotero/homebrew-cask,lucasmezencio/homebrew-cask,RJHsiao/homebrew-cask,MisumiRize/homebrew-cask,slack4u/homebrew-cask,ericbn/homebrew-cask,markhuber/homebrew-cask,mattrobenolt/homebrew-cask,doits/homebrew-cask,m3nu/homebrew-cask,farmerchris/homebrew-cask,antogg/homebrew-cask,rogeriopradoj/homebrew-cask,johan/homebrew-cask,muan/homebrew-cask,julionc/homebrew-cask,moogar0880/homebrew-cask,cedwardsmedia/homebrew-cask,wmorin/homebrew-cask,imgarylai/homebrew-cask,larseggert/homebrew-cask,kassi/homebrew-cask,rubenerd/homebrew-cask,stephenwade/homebrew-cask,kTitan/homebrew-cask,coneman/homebrew-cask,stigkj/homebrew-caskroom-cask,y00rb/homebrew-cask,mwek/homebrew-cask,optikfluffel/homebrew-cask,0rax/homebrew-cask,mokagio/homebrew-cask,sanyer/homebrew-cask,inz/homebrew-cask,FranklinChen/homebrew-cask,wastrachan/homebrew-cask,rhendric/homebrew-cask,anbotero/homebrew-cask,stephenwade/homebrew-cask,franklouwers/homebrew-cask,thehunmonkgroup/homebrew-cask,malford/homebrew-cask,mhubig/homebrew-cask,hovancik/homebrew-cask,casidiablo/homebrew-cask,sanyer/homebrew-cask,yutarody/homebrew-cask,samdoran/homebrew-cask,leipert/homebrew-cask,rajiv/homebrew-cask,napaxton/homebrew-cask,gibsjose/homebrew-cask,adriweb/homebrew-cask,n0ts/homebrew-cask,adrianchia/homebrew-cask,ksylvan/homebrew-cask,ajbw/homebrew-cask,janlugt/homebrew-cask,mahori/homebrew-cask,gyndav/homebrew-cask,Labutin/homebrew-cask,andrewdisley/homebrew-cask,goxberry/homebrew-cask,sebcode/homebrew-cask,LaurentFough/homebrew-cask,colindunn/homebrew-cask,tsparber/homebrew-cask,jangalinski/homebrew-cask,asins/homebrew-cask,alexg0/homebrew-cask,AnastasiaSulyagina/homebrew-cask,nathansgreen/homebrew-cask,joshka/homebrew-cask,shoichiaizawa/homebrew-cask,reitermarkus/homebrew-cask,blainesch/homebrew-cask,markthetech/homebrew-cask,flaviocamilo/homebrew-cask,malob/homebrew-cask,chino/homebrew-cask,cblecker/homebrew-cask,bcaceiro/homebrew-cask,paulombcosta/homebrew-cask,wickles/homebrew-cask,chuanxd/homebrew-cask,pacav69/homebrew-cask,stevehedrick/homebrew-cask,greg5green/homebrew-cask,rogeriopradoj/homebrew-cask,FredLackeyOfficial/homebrew-cask,joshka/homebrew-cask,ebraminio/homebrew-cask,aguynamedryan/homebrew-cask,asins/homebrew-cask,sscotth/homebrew-cask,wickles/homebrew-cask,adriweb/homebrew-cask,codeurge/homebrew-cask,howie/homebrew-cask,moonboots/homebrew-cask,helloIAmPau/homebrew-cask,AnastasiaSulyagina/homebrew-cask,rajiv/homebrew-cask,tarwich/homebrew-cask,nathancahill/homebrew-cask,gerrymiller/homebrew-cask,gerrypower/homebrew-cask,miguelfrde/homebrew-cask,sjackman/homebrew-cask,KosherBacon/homebrew-cask,xyb/homebrew-cask,mathbunnyru/homebrew-cask,gilesdring/homebrew-cask,jasmas/homebrew-cask,bric3/homebrew-cask,vigosan/homebrew-cask,goxberry/homebrew-cask,onlynone/homebrew-cask,tedbundyjr/homebrew-cask,Amorymeltzer/homebrew-cask,zerrot/homebrew-cask,bosr/homebrew-cask,cobyism/homebrew-cask,xtian/homebrew-cask,puffdad/homebrew-cask,greg5green/homebrew-cask,jalaziz/homebrew-cask,dictcp/homebrew-cask,fkrone/homebrew-cask,shonjir/homebrew-cask,robertgzr/homebrew-cask,fanquake/homebrew-cask,MerelyAPseudonym/homebrew-cask,ayohrling/homebrew-cask,lantrix/homebrew-cask,cprecioso/homebrew-cask,MoOx/homebrew-cask,SentinelWarren/homebrew-cask,mwean/homebrew-cask,MircoT/homebrew-cask,markthetech/homebrew-cask,xight/homebrew-cask,jedahan/homebrew-cask,n8henrie/homebrew-cask,mindriot101/homebrew-cask,royalwang/homebrew-cask,larseggert/homebrew-cask,hristozov/homebrew-cask,xcezx/homebrew-cask,renard/homebrew-cask,nathansgreen/homebrew-cask,opsdev-ws/homebrew-cask,mwean/homebrew-cask,qbmiller/homebrew-cask,feniix/homebrew-cask,stephenwade/homebrew-cask,jaredsampson/homebrew-cask,hakamadare/homebrew-cask,deanmorin/homebrew-cask,boydj/homebrew-cask,ldong/homebrew-cask,albertico/homebrew-cask,crzrcn/homebrew-cask,uetchy/homebrew-cask,KosherBacon/homebrew-cask,malob/homebrew-cask,victorpopkov/homebrew-cask,stonehippo/homebrew-cask,shonjir/homebrew-cask,mahori/homebrew-cask,wKovacs64/homebrew-cask,hellosky806/homebrew-cask,neverfox/homebrew-cask,caskroom/homebrew-cask,vuquoctuan/homebrew-cask,williamboman/homebrew-cask,kesara/homebrew-cask,a1russell/homebrew-cask,cprecioso/homebrew-cask,reelsense/homebrew-cask,scottsuch/homebrew-cask,guylabs/homebrew-cask,wmorin/homebrew-cask,JosephViolago/homebrew-cask,opsdev-ws/homebrew-cask,chino/homebrew-cask,corbt/homebrew-cask,jonathanwiesel/homebrew-cask,okket/homebrew-cask,0xadada/homebrew-cask,toonetown/homebrew-cask,nickpellant/homebrew-cask,MatzFan/homebrew-cask,coeligena/homebrew-customized,githubutilities/homebrew-cask,yuhki50/homebrew-cask,vin047/homebrew-cask,6uclz1/homebrew-cask,christer155/homebrew-cask,jedahan/homebrew-cask,decrement/homebrew-cask,klane/homebrew-cask,thomanq/homebrew-cask,lukeadams/homebrew-cask,danielbayley/homebrew-cask,elyscape/homebrew-cask,tsparber/homebrew-cask,claui/homebrew-cask,thii/homebrew-cask,dcondrey/homebrew-cask,Amorymeltzer/homebrew-cask,mauricerkelly/homebrew-cask,paour/homebrew-cask,cedwardsmedia/homebrew-cask,decrement/homebrew-cask,tarwich/homebrew-cask,stigkj/homebrew-caskroom-cask,englishm/homebrew-cask,hellosky806/homebrew-cask,mgryszko/homebrew-cask,wuman/homebrew-cask,jalaziz/homebrew-cask,leonmachadowilcox/homebrew-cask,squid314/homebrew-cask,dcondrey/homebrew-cask,CameronGarrett/homebrew-cask,royalwang/homebrew-cask,cliffcotino/homebrew-cask,albertico/homebrew-cask,reitermarkus/homebrew-cask,howie/homebrew-cask,mjgardner/homebrew-cask,sohtsuka/homebrew-cask,haha1903/homebrew-cask,patresi/homebrew-cask,jpmat296/homebrew-cask,mingzhi22/homebrew-cask,andersonba/homebrew-cask,jbeagley52/homebrew-cask,Cottser/homebrew-cask,akiomik/homebrew-cask,morganestes/homebrew-cask,tangestani/homebrew-cask,samshadwell/homebrew-cask,sscotth/homebrew-cask,crzrcn/homebrew-cask,farmerchris/homebrew-cask,Ketouem/homebrew-cask,arronmabrey/homebrew-cask,lukasbestle/homebrew-cask,dvdoliveira/homebrew-cask,johnjelinek/homebrew-cask,chadcatlett/caskroom-homebrew-cask,ldong/homebrew-cask,a1russell/homebrew-cask,jppelteret/homebrew-cask,codeurge/homebrew-cask,brianshumate/homebrew-cask,ddm/homebrew-cask,scottsuch/homebrew-cask,Ephemera/homebrew-cask,aguynamedryan/homebrew-cask,chrisRidgers/homebrew-cask,asbachb/homebrew-cask,winkelsdorf/homebrew-cask,williamboman/homebrew-cask,squid314/homebrew-cask,SentinelWarren/homebrew-cask,mariusbutuc/homebrew-cask,ericbn/homebrew-cask,skyyuan/homebrew-cask,alebcay/homebrew-cask,kkdd/homebrew-cask,scribblemaniac/homebrew-cask,ywfwj2008/homebrew-cask,moonboots/homebrew-cask,wastrachan/homebrew-cask,yutarody/homebrew-cask,tjnycum/homebrew-cask,artdevjs/homebrew-cask,gilesdring/homebrew-cask,troyxmccall/homebrew-cask,pkq/homebrew-cask,jeroenj/homebrew-cask,mishari/homebrew-cask,CameronGarrett/homebrew-cask,jhowtan/homebrew-cask,lumaxis/homebrew-cask,blogabe/homebrew-cask,jmeridth/homebrew-cask,pacav69/homebrew-cask,hanxue/caskroom,vitorgalvao/homebrew-cask,mattrobenolt/homebrew-cask,klane/homebrew-cask,andyli/homebrew-cask,nathanielvarona/homebrew-cask,pablote/homebrew-cask,inta/homebrew-cask,mazehall/homebrew-cask,jeroenseegers/homebrew-cask,gerrymiller/homebrew-cask,morganestes/homebrew-cask,remko/homebrew-cask,tmoreira2020/homebrew,mattrobenolt/homebrew-cask,chrisfinazzo/homebrew-cask,zmwangx/homebrew-cask,af/homebrew-cask,lvicentesanchez/homebrew-cask,af/homebrew-cask,adrianchia/homebrew-cask,theoriginalgri/homebrew-cask,michelegera/homebrew-cask,lvicentesanchez/homebrew-cask,blogabe/homebrew-cask,ksylvan/homebrew-cask,caskroom/homebrew-cask,kronicd/homebrew-cask,jasmas/homebrew-cask,jawshooah/homebrew-cask,coneman/homebrew-cask,haha1903/homebrew-cask,nightscape/homebrew-cask,ninjahoahong/homebrew-cask,drostron/homebrew-cask,yurikoles/homebrew-cask,BahtiyarB/homebrew-cask,jbeagley52/homebrew-cask,ahundt/homebrew-cask,jayshao/homebrew-cask,elyscape/homebrew-cask,malob/homebrew-cask,seanzxx/homebrew-cask,kongslund/homebrew-cask,m3nu/homebrew-cask,Cottser/homebrew-cask,slack4u/homebrew-cask,mlocher/homebrew-cask,adrianchia/homebrew-cask,shonjir/homebrew-cask,mjdescy/homebrew-cask,dustinblackman/homebrew-cask,faun/homebrew-cask,winkelsdorf/homebrew-cask,andyli/homebrew-cask,zerrot/homebrew-cask,pkq/homebrew-cask,uetchy/homebrew-cask,lcasey001/homebrew-cask,englishm/homebrew-cask,Ibuprofen/homebrew-cask,nshemonsky/homebrew-cask,toonetown/homebrew-cask,syscrusher/homebrew-cask,MichaelPei/homebrew-cask,esebastian/homebrew-cask,rogeriopradoj/homebrew-cask,Fedalto/homebrew-cask,kronicd/homebrew-cask,perfide/homebrew-cask,kkdd/homebrew-cask,cblecker/homebrew-cask,norio-nomura/homebrew-cask,gyndav/homebrew-cask,xight/homebrew-cask,jgarber623/homebrew-cask,nathanielvarona/homebrew-cask,ianyh/homebrew-cask,phpwutz/homebrew-cask,elnappo/homebrew-cask,xtian/homebrew-cask,giannitm/homebrew-cask,mchlrmrz/homebrew-cask,JacopKane/homebrew-cask,remko/homebrew-cask,0xadada/homebrew-cask,wickedsp1d3r/homebrew-cask,stonehippo/homebrew-cask,bdhess/homebrew-cask,kamilboratynski/homebrew-cask,samshadwell/homebrew-cask,Bombenleger/homebrew-cask,andersonba/homebrew-cask,aktau/homebrew-cask,ksato9700/homebrew-cask,ianyh/homebrew-cask,nightscape/homebrew-cask,fly19890211/homebrew-cask,xight/homebrew-cask,pablote/homebrew-cask,axodys/homebrew-cask,usami-k/homebrew-cask,doits/homebrew-cask,tjt263/homebrew-cask,ksato9700/homebrew-cask,cliffcotino/homebrew-cask,neverfox/homebrew-cask,theoriginalgri/homebrew-cask,n0ts/homebrew-cask,gmkey/homebrew-cask,christophermanning/homebrew-cask,helloIAmPau/homebrew-cask,jalaziz/homebrew-cask,6uclz1/homebrew-cask,optikfluffel/homebrew-cask,usami-k/homebrew-cask,troyxmccall/homebrew-cask,samnung/homebrew-cask,sohtsuka/homebrew-cask,drostron/homebrew-cask,dvdoliveira/homebrew-cask,wickedsp1d3r/homebrew-cask,JikkuJose/homebrew-cask,paour/homebrew-cask,ddm/homebrew-cask,cfillion/homebrew-cask,jeroenseegers/homebrew-cask,retbrown/homebrew-cask,jhowtan/homebrew-cask,jiashuw/homebrew-cask,RJHsiao/homebrew-cask,feigaochn/homebrew-cask,mlocher/homebrew-cask,riyad/homebrew-cask,Amorymeltzer/homebrew-cask,Ketouem/homebrew-cask,Gasol/homebrew-cask,mathbunnyru/homebrew-cask,Gasol/homebrew-cask,a1russell/homebrew-cask,deiga/homebrew-cask,bcaceiro/homebrew-cask,kirikiriyamama/homebrew-cask,tangestani/homebrew-cask,MisumiRize/homebrew-cask,daften/homebrew-cask,miku/homebrew-cask,zeusdeux/homebrew-cask,skyyuan/homebrew-cask,skatsuta/homebrew-cask,xakraz/homebrew-cask,robbiethegeek/homebrew-cask,santoshsahoo/homebrew-cask,fly19890211/homebrew-cask,dwihn0r/homebrew-cask,shoichiaizawa/homebrew-cask,psibre/homebrew-cask,deiga/homebrew-cask,schneidmaster/homebrew-cask,esebastian/homebrew-cask,axodys/homebrew-cask,hovancik/homebrew-cask,0rax/homebrew-cask,maxnordlund/homebrew-cask,tjnycum/homebrew-cask,lucasmezencio/homebrew-cask,jpmat296/homebrew-cask,bdhess/homebrew-cask,nshemonsky/homebrew-cask,inz/homebrew-cask,antogg/homebrew-cask,jgarber623/homebrew-cask,nrlquaker/homebrew-cask,LaurentFough/homebrew-cask,lifepillar/homebrew-cask,jconley/homebrew-cask,johndbritton/homebrew-cask,flaviocamilo/homebrew-cask,jmeridth/homebrew-cask,Keloran/homebrew-cask,shorshe/homebrew-cask,jconley/homebrew-cask,tedbundyjr/homebrew-cask,BenjaminHCCarr/homebrew-cask,akiomik/homebrew-cask,joschi/homebrew-cask,retbrown/homebrew-cask,johndbritton/homebrew-cask,retrography/homebrew-cask,miku/homebrew-cask,rajiv/homebrew-cask,kteru/homebrew-cask,mindriot101/homebrew-cask,dictcp/homebrew-cask,mathbunnyru/homebrew-cask,esebastian/homebrew-cask,ninjahoahong/homebrew-cask,bcomnes/homebrew-cask,alebcay/homebrew-cask,dustinblackman/homebrew-cask,kpearson/homebrew-cask,chuanxd/homebrew-cask,dwihn0r/homebrew-cask,FranklinChen/homebrew-cask,kesara/homebrew-cask,puffdad/homebrew-cask,feniix/homebrew-cask,vuquoctuan/homebrew-cask,moimikey/homebrew-cask,devmynd/homebrew-cask,renaudguerin/homebrew-cask,tjnycum/homebrew-cask,andrewdisley/homebrew-cask,cobyism/homebrew-cask,maxnordlund/homebrew-cask,deiga/homebrew-cask,slnovak/homebrew-cask,santoshsahoo/homebrew-cask,josa42/homebrew-cask,faun/homebrew-cask,zeusdeux/homebrew-cask,Saklad5/homebrew-cask,dwkns/homebrew-cask,linc01n/homebrew-cask,patresi/homebrew-cask,robbiethegeek/homebrew-cask,paulombcosta/homebrew-cask,tangestani/homebrew-cask,lukasbestle/homebrew-cask,afh/homebrew-cask,dieterdemeyer/homebrew-cask,tedski/homebrew-cask,okket/homebrew-cask,riyad/homebrew-cask,perfide/homebrew-cask,Keloran/homebrew-cask,nysthee/homebrew-cask,robertgzr/homebrew-cask,mrmachine/homebrew-cask,bcomnes/homebrew-cask,FredLackeyOfficial/homebrew-cask,JikkuJose/homebrew-cask,chrisfinazzo/homebrew-cask,gurghet/homebrew-cask,mariusbutuc/homebrew-cask,cobyism/homebrew-cask,pinut/homebrew-cask,JosephViolago/homebrew-cask,malford/homebrew-cask,kingthorin/homebrew-cask,muan/homebrew-cask,ftiff/homebrew-cask,ftiff/homebrew-cask,vitorgalvao/homebrew-cask,elnappo/homebrew-cask,joshka/homebrew-cask,My2ndAngelic/homebrew-cask,blainesch/homebrew-cask,kuno/homebrew-cask,jacobbednarz/homebrew-cask,jellyfishcoder/homebrew-cask,mhubig/homebrew-cask,pinut/homebrew-cask,bric3/homebrew-cask,singingwolfboy/homebrew-cask,diguage/homebrew-cask,danielbayley/homebrew-cask,kingthorin/homebrew-cask,sanyer/homebrew-cask,schneidmaster/homebrew-cask,joschi/homebrew-cask,reitermarkus/homebrew-cask,franklouwers/homebrew-cask,dwkns/homebrew-cask,My2ndAngelic/homebrew-cask,wmorin/homebrew-cask,BahtiyarB/homebrew-cask,BenjaminHCCarr/homebrew-cask,zmwangx/homebrew-cask,michelegera/homebrew-cask,Ephemera/homebrew-cask,mjgardner/homebrew-cask,seanorama/homebrew-cask,mjgardner/homebrew-cask,boecko/homebrew-cask,jeroenj/homebrew-cask,aktau/homebrew-cask,christer155/homebrew-cask,miccal/homebrew-cask,napaxton/homebrew-cask,lumaxis/homebrew-cask,tolbkni/homebrew-cask,yumitsu/homebrew-cask,Ibuprofen/homebrew-cask,MircoT/homebrew-cask,timsutton/homebrew-cask,chrisfinazzo/homebrew-cask,xakraz/homebrew-cask,kesara/homebrew-cask,renaudguerin/homebrew-cask,mchlrmrz/homebrew-cask,winkelsdorf/homebrew-cask,Dremora/homebrew-cask,kpearson/homebrew-cask,colindean/homebrew-cask,Bombenleger/homebrew-cask,rickychilcott/homebrew-cask,zorosteven/homebrew-cask,jppelteret/homebrew-cask,tedski/homebrew-cask,scribblemaniac/homebrew-cask,scottsuch/homebrew-cask,kirikiriyamama/homebrew-cask,jangalinski/homebrew-cask,diogodamiani/homebrew-cask,diogodamiani/homebrew-cask,tjt263/homebrew-cask,kTitan/homebrew-cask,guerrero/homebrew-cask,samnung/homebrew-cask,danielbayley/homebrew-cask,tan9/homebrew-cask
--- +++ @@ -1,6 +1,6 @@ cask :v1 => 'trailer' do - version '1.3.6' - sha256 'e42dabd6b7759fdd9a816f0c04c2eb6f7dd15c21de47048d8228f6bffd6dc41d' + version '1.3.7' + sha256 '9f022093051d6512a888cb1a0760afebed51e7c9f33dd991a81218f492491e55' url "https://ptsochantaris.github.io/trailer/trailer#{version.delete('.')}.zip" appcast 'https://ptsochantaris.github.io/trailer/appcast.xml',
11d8d2b329c28f7694992520d141ac219827b5f3
README.md
README.md
# Twitch-Plays-Stuff Twitch Plays Stuff This is the repository where all Twitch Plays source codes used in the Twitch.TV stream TwitchTriesToPlay will be stored. Reference: 1) https://gist.github.com/scanlime/5042071 2) http://store.curiousinventor.com/guides/PS2/ 3) http://www.lynxmotion.com/images/files/ps2cmd01.txt 4) http://www.billporter.info/2010/06/05/playstation-2-controller-arduino-library-v1-0/
# Twitch-Plays-Stuff Twitch Plays Stuff This is the repository where all Twitch Plays source codes used in the Twitch.TV stream TwitchTriesToPlay will be stored. Reference for PlayStation/PlayStation 2 controller: 1) https://gist.github.com/scanlime/5042071 2) http://store.curiousinventor.com/guides/PS2/ 3) http://www.lynxmotion.com/images/files/ps2cmd01.txt 4) http://www.billporter.info/2010/06/05/playstation-2-controller-arduino-library-v1-0/ Reference for Nintendo 64 controller: 1) http://cnt.at-ninja.jp/n64_dpp/N64%20controller.htm 2) http://svn.navi.cx/misc/trunk/wasabi/devices/cube64/notes/n64-observations 3) http://www.acidmods.com/RDC/NINTENDO/N64/N64_Controller_200010_Top_CLEAN.jpg 4) http://www.acidmods.com/RDC/NINTENDO/N64/N64_Controller_700010_Top.jpg 5) http://slagcoin.com/joystick/pcb_diagrams/n64_diagram1.jpg 6) https://i.imgur.com/ZMwTdwp.png 7) https://dpedu.io/article/2015-03-11/nintendo-64-joystick-pinout-arduino 8) https://www.youtube.com/watch?v=0QLZCfqUeg4
Update Readme to include N64 Documentation
Update Readme to include N64 Documentation
Markdown
mit
WhatAboutGaming/Twitch-Plays-Stuff,WhatAboutGaming/Twitch-Plays-Stuff,WhatAboutGaming/Twitch-Plays-Stuff,WhatAboutGaming/Twitch-Plays-Stuff,WhatAboutGaming/Twitch-Plays-Stuff
--- +++ @@ -3,9 +3,20 @@ This is the repository where all Twitch Plays source codes used in the Twitch.TV stream TwitchTriesToPlay will be stored. -Reference: +Reference for PlayStation/PlayStation 2 controller: -1) https://gist.github.com/scanlime/5042071 -2) http://store.curiousinventor.com/guides/PS2/ -3) http://www.lynxmotion.com/images/files/ps2cmd01.txt -4) http://www.billporter.info/2010/06/05/playstation-2-controller-arduino-library-v1-0/ + 1) https://gist.github.com/scanlime/5042071 + 2) http://store.curiousinventor.com/guides/PS2/ + 3) http://www.lynxmotion.com/images/files/ps2cmd01.txt + 4) http://www.billporter.info/2010/06/05/playstation-2-controller-arduino-library-v1-0/ + +Reference for Nintendo 64 controller: + + 1) http://cnt.at-ninja.jp/n64_dpp/N64%20controller.htm + 2) http://svn.navi.cx/misc/trunk/wasabi/devices/cube64/notes/n64-observations + 3) http://www.acidmods.com/RDC/NINTENDO/N64/N64_Controller_200010_Top_CLEAN.jpg + 4) http://www.acidmods.com/RDC/NINTENDO/N64/N64_Controller_700010_Top.jpg + 5) http://slagcoin.com/joystick/pcb_diagrams/n64_diagram1.jpg + 6) https://i.imgur.com/ZMwTdwp.png + 7) https://dpedu.io/article/2015-03-11/nintendo-64-joystick-pinout-arduino + 8) https://www.youtube.com/watch?v=0QLZCfqUeg4
5fadfdeb3912cbb33bde2801603e9c76476f57cd
.travis.yml
.travis.yml
language: ruby rvm: - 2.2.2 - 2.3.0 - ruby-head branches: only: - "master" - "/^release-/" before_install: gem install bundler matrix: include: - rvm: jruby-head jdk: openjdk7 env: DISABLE_NOKOGIRI=1 allow_failures: - rvm: jruby-head jdk: openjdk7 env: DISABLE_NOKOGIRI=1 - rvm: ruby-head notifications: irc: channels: - "chat.freenode.net#nanoc" template: - "%{repository}/%{branch} %{commit} %{author}: %{message}" use_notice: true skip_join: true cache: bundler sudo: false git: depth: 10
language: ruby rvm: - 2.2.3 - 2.3.1 - ruby-head branches: only: - "master" - "/^release-/" before_install: gem install bundler matrix: include: - rvm: jruby-head jdk: openjdk7 env: DISABLE_NOKOGIRI=1 allow_failures: - rvm: jruby-head jdk: openjdk7 env: DISABLE_NOKOGIRI=1 - rvm: ruby-head notifications: irc: channels: - "chat.freenode.net#nanoc" template: - "%{repository}/%{branch} %{commit} %{author}: %{message}" use_notice: true skip_join: true cache: bundler sudo: false git: depth: 10
Upgrade Travis CI config to use CRuby 2.2.3 and 2.3.1
Upgrade Travis CI config to use CRuby 2.2.3 and 2.3.1
YAML
mit
RubenVerborgh/nanoc,barraq/nanoc,nanoc/nanoc
--- +++ @@ -1,7 +1,7 @@ language: ruby rvm: - - 2.2.2 - - 2.3.0 + - 2.2.3 + - 2.3.1 - ruby-head branches: only:
ea535fb5d9be567b79c1a054aaafc761965e2a76
test/unit/edu/northwestern/bioinformatics/studycalendar/dao/testdata/StudyDaoTest.xml
test/unit/edu/northwestern/bioinformatics/studycalendar/dao/testdata/StudyDaoTest.xml
<dataset> <STUDIES id="100" version="0" name="First Study" completed="false"/> <ARMS id="200" version="0" name="Dexter" study_id="100"/> <ARMS id="201" version="0" name="Sinister" study_id="100"/> </dataset>
<dataset> <STUDIES id="100" version="0" name="First Study" completed="0"/> <ARMS id="200" version="0" name="Dexter" study_id="100"/> <ARMS id="201" version="0" name="Sinister" study_id="100"/> </dataset>
Use '0' instead of 'false' for compatibility with every database
Use '0' instead of 'false' for compatibility with every database
XML
bsd-3-clause
NCIP/psc,NCIP/psc,NCIP/psc,NCIP/psc
--- +++ @@ -3,7 +3,7 @@ id="100" version="0" name="First Study" - completed="false"/> + completed="0"/> <ARMS id="200"
b329c90798322081fa2ed0239f57500f137d6031
packages/ifattop/init.lua
packages/ifattop/init.lua
local function registerCommands (class) class:registerCommand("ifattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) == 0 then SILE.process(content) end end) class:registerCommand("ifnotattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) ~= 0 then SILE.process(content) end end) end return { registerCommands = registerCommands, documentation = [[ \begin{document} This package provides two commands: \autodoc:command{\ifattop} and \autodoc:command{\ifnotattop}. The argument of the command is processed only if the typesetter is at the top of a frame or is not at the top of a frame respectively. \end{document} ]]}
local base = require("packages.base") local package = pl.class(base) package._name = "ifattop" function package:registerCommands () self.class:registerCommand("ifattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) == 0 then SILE.process(content) end end) self.class:registerCommand("ifnotattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) ~= 0 then SILE.process(content) end end) end package.documentation = [[ \begin{document} This package provides two commands: \autodoc:command{\ifattop} and \autodoc:command{\ifnotattop}. The argument of the command is processed only if the typesetter is at the top of a frame or is not at the top of a frame respectively. \end{document} ]] return package
Update ifattop package with new interface
refactor(packages): Update ifattop package with new interface
Lua
mit
alerque/sile,alerque/sile,alerque/sile,alerque/sile
--- +++ @@ -1,13 +1,18 @@ -local function registerCommands (class) +local base = require("packages.base") - class:registerCommand("ifattop", function (_, content) +local package = pl.class(base) +package._name = "ifattop" + +function package:registerCommands () + + self.class:registerCommand("ifattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) == 0 then SILE.process(content) end end) - class:registerCommand("ifnotattop", function (_, content) + self.class:registerCommand("ifnotattop", function (_, content) SILE.typesetter:leaveHmode() if #(SILE.typesetter.state.outputQueue) ~= 0 then SILE.process(content) @@ -16,12 +21,11 @@ end -return { - registerCommands = registerCommands, - documentation = [[ +package.documentation = [[ \begin{document} This package provides two commands: \autodoc:command{\ifattop} and \autodoc:command{\ifnotattop}. -The argument of the command is processed only if the typesetter is at the top -of a frame or is not at the top of a frame respectively. +The argument of the command is processed only if the typesetter is at the top of a frame or is not at the top of a frame respectively. \end{document} -]]} +]] + +return package
cd735fe688840c94cb92562e3b96d51ec48afe44
openstack/tests/functional/network/v2/test_security_group_rule.py
openstack/tests/functional/network/v2/test_security_group_rule.py
# Licensed under the Apache License, Version 2.0 (the "License"); you may # not use this file except in compliance with the License. You may obtain # a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, WITHOUT # WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the # License for the specific language governing permissions and limitations # under the License. import uuid from openstack.network.v2 import security_group from openstack.network.v2 import security_group_rule from openstack.tests.functional import base class TestSecurityGroupRule(base.BaseFunctionalTest): NAME = uuid.uuid4().hex IPV4 = 'IPv4' PROTO = 'tcp' PORT = 22 DIR = 'ingress' ID = None RULE_ID = None @classmethod def setUpClass(cls): super(TestSecurityGroupRule, cls).setUpClass() sot = cls.conn.network.create_security_group(name=cls.NAME) assert isinstance(sot, security_group.SecurityGroup) cls.assertIs(cls.NAME, sot.name) cls.ID = sot.id rul = cls.conn.network.create_security_group_rule( direction=cls.DIR, ethertype=cls.IPV4, port_range_max=cls.PORT, port_range_min=cls.PORT, protocol=cls.PROTO, security_group_id=cls.ID) assert isinstance(rul, security_group_rule.SecurityGroupRule) cls.assertIs(cls.ID, rul.security_group_id) cls.RULE_ID = rul.id @classmethod def tearDownClass(cls): sot = cls.conn.network.delete_security_group_rule(cls.RULE_ID, ignore_missing=False) cls.assertIs(None, sot) sot = cls.conn.network.delete_security_group(cls.ID, ignore_missing=False) cls.assertIs(None, sot) def test_find(self): sot = self.conn.network.find_security_group_rule(self.RULE_ID) self.assertEqual(self.RULE_ID, sot.id) def test_get(self): sot = self.conn.network.get_security_group_rule(self.RULE_ID) self.assertEqual(self.RULE_ID, sot.id) self.assertEqual(self.DIR, sot.direction) self.assertEqual(self.PROTO, sot.protocol) self.assertEqual(self.PORT, sot.port_range_min) self.assertEqual(self.PORT, sot.port_range_max) self.assertEqual(self.ID, sot.security_group_id) def test_list(self): ids = [o.id for o in self.conn.network.security_group_rules()] self.assertIn(self.RULE_ID, ids)
Add functional tests for security group rule
Add functional tests for security group rule Tests: test_find test_get test_list Change-Id: If54342ec8c57b926a5217d888a43dcd98223bd69
Python
apache-2.0
dudymas/python-openstacksdk,dudymas/python-openstacksdk,dtroyer/python-openstacksdk,dtroyer/python-openstacksdk,mtougeron/python-openstacksdk,stackforge/python-openstacksdk,briancurtin/python-openstacksdk,stackforge/python-openstacksdk,openstack/python-openstacksdk,mtougeron/python-openstacksdk,openstack/python-openstacksdk,briancurtin/python-openstacksdk
--- +++ @@ -0,0 +1,69 @@ +# Licensed under the Apache License, Version 2.0 (the "License"); you may +# not use this file except in compliance with the License. You may obtain +# a copy of the License at +# +# http://www.apache.org/licenses/LICENSE-2.0 +# +# Unless required by applicable law or agreed to in writing, software +# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT +# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the +# License for the specific language governing permissions and limitations +# under the License. + +import uuid + +from openstack.network.v2 import security_group +from openstack.network.v2 import security_group_rule +from openstack.tests.functional import base + + +class TestSecurityGroupRule(base.BaseFunctionalTest): + + NAME = uuid.uuid4().hex + IPV4 = 'IPv4' + PROTO = 'tcp' + PORT = 22 + DIR = 'ingress' + ID = None + RULE_ID = None + + @classmethod + def setUpClass(cls): + super(TestSecurityGroupRule, cls).setUpClass() + sot = cls.conn.network.create_security_group(name=cls.NAME) + assert isinstance(sot, security_group.SecurityGroup) + cls.assertIs(cls.NAME, sot.name) + cls.ID = sot.id + rul = cls.conn.network.create_security_group_rule( + direction=cls.DIR, ethertype=cls.IPV4, + port_range_max=cls.PORT, port_range_min=cls.PORT, + protocol=cls.PROTO, security_group_id=cls.ID) + assert isinstance(rul, security_group_rule.SecurityGroupRule) + cls.assertIs(cls.ID, rul.security_group_id) + cls.RULE_ID = rul.id + + @classmethod + def tearDownClass(cls): + sot = cls.conn.network.delete_security_group_rule(cls.RULE_ID, + ignore_missing=False) + cls.assertIs(None, sot) + sot = cls.conn.network.delete_security_group(cls.ID, + ignore_missing=False) + cls.assertIs(None, sot) + + def test_find(self): + sot = self.conn.network.find_security_group_rule(self.RULE_ID) + self.assertEqual(self.RULE_ID, sot.id) + + def test_get(self): + sot = self.conn.network.get_security_group_rule(self.RULE_ID) + self.assertEqual(self.RULE_ID, sot.id) + self.assertEqual(self.DIR, sot.direction) + self.assertEqual(self.PROTO, sot.protocol) + self.assertEqual(self.PORT, sot.port_range_min) + self.assertEqual(self.PORT, sot.port_range_max) + self.assertEqual(self.ID, sot.security_group_id) + + def test_list(self): + ids = [o.id for o in self.conn.network.security_group_rules()] + self.assertIn(self.RULE_ID, ids)
05109ed8eaa4872a89be987d3a080489241a23c8
app/views/projects/snippets/index.html.haml
app/views/projects/snippets/index.html.haml
- page_title "Snippets" .row-content-block.top-block .pull-right - if can?(current_user, :create_project_snippet, @project) = link_to new_namespace_project_snippet_path(@project.namespace, @project), class: "btn btn-new", title: "New Snippet" do New Snippet .oneline Share code pastes with others out of git repository = render 'snippets/snippets'
- page_title "Snippets" .sub-header-block .pull-right - if can?(current_user, :create_project_snippet, @project) = link_to new_namespace_project_snippet_path(@project.namespace, @project), class: "btn btn-new", title: "New Snippet" do New Snippet .oneline Share code pastes with others out of git repository = render 'snippets/snippets'
Update header block class on snippets page
Update header block class on snippets page
Haml
mit
martijnvermaat/gitlabhq,jirutka/gitlabhq,SVArago/gitlabhq,LUMC/gitlabhq,darkrasid/gitlabhq,shinexiao/gitlabhq,axilleas/gitlabhq,iiet/iiet-git,shinexiao/gitlabhq,daiyu/gitlab-zh,htve/GitlabForChinese,iiet/iiet-git,htve/GitlabForChinese,martijnvermaat/gitlabhq,dreampet/gitlab,t-zuehlsdorff/gitlabhq,LUMC/gitlabhq,LUMC/gitlabhq,icedwater/gitlabhq,axilleas/gitlabhq,dreampet/gitlab,iiet/iiet-git,htve/GitlabForChinese,stoplightio/gitlabhq,darkrasid/gitlabhq,SVArago/gitlabhq,dreampet/gitlab,t-zuehlsdorff/gitlabhq,allysonbarros/gitlabhq,screenpages/gitlabhq,screenpages/gitlabhq,jirutka/gitlabhq,shinexiao/gitlabhq,dplarson/gitlabhq,stoplightio/gitlabhq,openwide-java/gitlabhq,mmkassem/gitlabhq,dplarson/gitlabhq,mmkassem/gitlabhq,allysonbarros/gitlabhq,mr-dxdy/gitlabhq,screenpages/gitlabhq,dplarson/gitlabhq,jirutka/gitlabhq,axilleas/gitlabhq,icedwater/gitlabhq,stoplightio/gitlabhq,allysonbarros/gitlabhq,dplarson/gitlabhq,SVArago/gitlabhq,jirutka/gitlabhq,SVArago/gitlabhq,icedwater/gitlabhq,screenpages/gitlabhq,LUMC/gitlabhq,mr-dxdy/gitlabhq,mmkassem/gitlabhq,mr-dxdy/gitlabhq,darkrasid/gitlabhq,mmkassem/gitlabhq,axilleas/gitlabhq,dreampet/gitlab,shinexiao/gitlabhq,daiyu/gitlab-zh,t-zuehlsdorff/gitlabhq,stoplightio/gitlabhq,t-zuehlsdorff/gitlabhq,daiyu/gitlab-zh,openwide-java/gitlabhq,allysonbarros/gitlabhq,icedwater/gitlabhq,htve/GitlabForChinese,martijnvermaat/gitlabhq,daiyu/gitlab-zh,martijnvermaat/gitlabhq,openwide-java/gitlabhq,darkrasid/gitlabhq,mr-dxdy/gitlabhq,openwide-java/gitlabhq,iiet/iiet-git
--- +++ @@ -1,6 +1,6 @@ - page_title "Snippets" -.row-content-block.top-block +.sub-header-block .pull-right - if can?(current_user, :create_project_snippet, @project) = link_to new_namespace_project_snippet_path(@project.namespace, @project), class: "btn btn-new", title: "New Snippet" do
c981ccaefa87b7c31e54bba42ca28c6b2509243d
README.md
README.md
![](http://i.imgur.com/hrELgzg.png) # Java IRC Bot with RSS feed reader [![Build Status](https://travis-ci.org/MadCoderZ/NewsBotIRC.svg?branch=master)](https://travis-ci.org/MadCoderZ/NewsBotIRC) This project has been entirely written in the Java language, so it basically can run on computers that are able to run Java code. We focus on handling memory in the best possible way, keeping a clean code, always trying to use best programming practices, stability and reliability. Its purpose is to fetch from different sources (RSS and Atom) and publish them on an IRC channel on a specific IRC server. Think of it as a RSS client reader but with IRC support. Everybody is welcome to cooperate, add new functions by creating a fork in GitHub, and also fix issues or propose features or modifications. We listen to the community and we want to keep working on it as a hobby. ## Getting Started Please, check our [wiki page](https://github.com/MadCoderZ/NewsBotIRC/wiki) to get started. ## Authors - Gerardo Canosa <[[email protected]](mailto:[email protected])> _IRC:_ EtherNet at irc.mundochat.com.ar - Geronimo Poppino <[[email protected]](mailto:[email protected])> _IRC:_ Geronimo at irc.mundochat.com.ar
![](http://i.imgur.com/hrELgzg.png) # Not maintained anymore This repository has been archived and it is not maintained anymore. However, you may still fork it but we will not be accepting PRs nor issues. # Java IRC Bot with RSS feed reader [![Build Status](https://travis-ci.org/MadCoderZ/NewsBotIRC.svg?branch=master)](https://travis-ci.org/MadCoderZ/NewsBotIRC) This project has been entirely written in the Java language, so it basically can run on computers that are able to run Java code. We focus on handling memory in the best possible way, keeping a clean code, always trying to use best programming practices, stability and reliability. Its purpose is to fetch from different sources (RSS and Atom) and publish them on an IRC channel on a specific IRC server. Think of it as a RSS client reader but with IRC support. Everybody is welcome to cooperate, add new functions by creating a fork in GitHub, and also fix issues or propose features or modifications. We listen to the community and we want to keep working on it as a hobby. ## Getting Started Please, check our [wiki page](https://github.com/MadCoderZ/NewsBotIRC/wiki) to get started. ## Authors - Gerardo Canosa <[[email protected]](mailto:[email protected])> _IRC:_ EtherNet at irc.mundochat.com.ar - Geronimo Poppino <[[email protected]](mailto:[email protected])> _IRC:_ Geronimo at irc.mundochat.com.ar
Add notice of archiving this repo
Add notice of archiving this repo
Markdown
mit
MadCoderZ/NewsBotIRC
--- +++ @@ -1,4 +1,8 @@ ![](http://i.imgur.com/hrELgzg.png) + +# Not maintained anymore +This repository has been archived and it is not maintained anymore. However, you may still fork it but we will not be accepting PRs nor issues. + # Java IRC Bot with RSS feed reader [![Build Status](https://travis-ci.org/MadCoderZ/NewsBotIRC.svg?branch=master)](https://travis-ci.org/MadCoderZ/NewsBotIRC)
9f75f4eaa398fcb8204d3fd0479bafbca2642c7d
gulpfile.coffee
gulpfile.coffee
gulp = require 'gulp' # Browserify browserify = require 'browserify' source = require 'vinyl-source-stream' gulp.task 'build', -> browserify('./OperationalTransform.coffee', extensions: ['.coffee'], standalone: 'OperationalTransform') .bundle() .pipe source 'OperationalTransform.js' .pipe gulp.dest './lib' # Watch tasks = [ 'build' ] gulp.task 'watch', tasks, -> gulp.watch [ 'src/**/*.coffee' ], ['build'] gulp.task 'default', tasks
gulp = require 'gulp' # Browserify browserify = require 'browserify' source = require 'vinyl-source-stream' gulp.task 'build', -> browserify('./OperationalTransform.coffee', extensions: ['.coffee'], standalone: 'OperationalTransform') .bundle() .pipe source 'OperationalTransform.js' .pipe gulp.dest './lib' tasks = [ 'build' ] gulp.task 'default', tasks, -> gulp.watch [ 'src/**/*.coffee' ], [ 'build' ] gulp.task 'nowatch', tasks
Watch by default, add "gulp nowatch" variant
Watch by default, add "gulp nowatch" variant
CoffeeScript
mit
sparklinlabs/operational-transform,sparklinlabs/operational-transform
--- +++ @@ -10,10 +10,10 @@ .pipe source 'OperationalTransform.js' .pipe gulp.dest './lib' -# Watch + tasks = [ 'build' ] -gulp.task 'watch', tasks, -> - gulp.watch [ 'src/**/*.coffee' ], ['build'] +gulp.task 'default', tasks, -> + gulp.watch [ 'src/**/*.coffee' ], [ 'build' ] -gulp.task 'default', tasks +gulp.task 'nowatch', tasks
22935ee89217ac1f8b8d3c921571381336069584
lctools/lc.py
lctools/lc.py
from libcloud.compute.types import Provider from libcloud.compute.providers import get_driver import libcloud.security from config import get_config def get_lc(profile, resource=None): if resource is None: from libcloud.compute.types import Provider from libcloud.compute.providers import get_driver else: pkg_name = 'libcloud.%s' % resource Provider = __import__(pkg_name + ".types", globals(), locals(), ['Provider'], -1).Provider get_driver = __import__(pkg_name + ".providers", globals(), locals(), ['get_driver'], -1).get_driver conf = get_config(profile) libcloud.security.VERIFY_SSL_CERT = conf.get('verify_ssl_certs') == 'true' extra_kwargs = {} extra = conf.get("extra") if extra != "": extra_kwargs = eval(extra) if not isinstance(extra_kwargs, dict): raise Exception('Extra arguments should be a Python dict') driver = get_driver(getattr(Provider, conf.get('driver').upper())) conn = driver(conf.get('access_id'), conf.get('secret_key'), **extra_kwargs) return conn
from libcloud.compute.types import Provider from libcloud.compute.providers import get_driver import libcloud.security from config import get_config def get_lc(profile, resource=None): if resource is None: from libcloud.compute.types import Provider from libcloud.compute.providers import get_driver else: pkg_name = 'libcloud.%s' % resource Provider = __import__(pkg_name + ".types", globals(), locals(), ['Provider'], -1).Provider get_driver = __import__(pkg_name + ".providers", globals(), locals(), ['get_driver'], -1).get_driver conf = get_config(profile) libcloud.security.VERIFY_SSL_CERT = conf.get('verify_ssl_certs') == 'true' extra_kwargs = {} extra = conf.get("extra") if extra != "": extra_kwargs = eval(extra) if not isinstance(extra_kwargs, dict): raise Exception('Extra arguments should be a Python dict') # a hack because libcloud driver names for Rackspace doesn't match # for loadbalancers and compute driver_name = conf.get('driver').upper() if 'loadbalancer' == resource and 'RACKSPACE' == driver_name: driver_name += "_US" driver = get_driver(getattr(Provider, driver_name)) conn = driver(conf.get('access_id'), conf.get('secret_key'), **extra_kwargs) return conn
Add a hack to overcome driver name inconsistency in libcloud.
Add a hack to overcome driver name inconsistency in libcloud.
Python
apache-2.0
novel/lc-tools,novel/lc-tools
--- +++ @@ -29,7 +29,13 @@ if not isinstance(extra_kwargs, dict): raise Exception('Extra arguments should be a Python dict') - driver = get_driver(getattr(Provider, conf.get('driver').upper())) + # a hack because libcloud driver names for Rackspace doesn't match + # for loadbalancers and compute + driver_name = conf.get('driver').upper() + if 'loadbalancer' == resource and 'RACKSPACE' == driver_name: + driver_name += "_US" + + driver = get_driver(getattr(Provider, driver_name)) conn = driver(conf.get('access_id'), conf.get('secret_key'), **extra_kwargs) return conn
05d6c67fcb73504d5e63162aab8468ca87e765f9
app/models/repository.rb
app/models/repository.rb
class Repository include Tire::Model::Persistence include Tire::Model::Search include Tire::Model::Callbacks validates_presence_of :name, :type, :url, :datasets, :latitude, :longitude property :name property :type property :url property :latitude property :longitude property :datasets property :completeness property :weighted_completeness property :richness_of_information property :accuracy property :accessibility def metadata total = Tire.search('metadata', :search_type => 'count') do query { all } end.results.total name = @name Tire.search 'metadata' do query { string 'repository:' + name } size total end.results.map { |entry| entry.to_hash } end def update_score(metric, score) self.send("#{metric.name}=", score) end def best_record(metric) sort_metric_scores(metric, 'desc').first.to_hash end def worst_record(metric) sort_metric_scores(metric, 'asc').first.to_hash end private def sort_metric_scores(metric, sorting_order) name = @name search = Tire.search 'metadata' do query { string "repository:#{name}" } sort { by metric, sorting_order } end.results end end
class Repository include Tire::Model::Persistence include Tire::Model::Search include Tire::Model::Callbacks validates_presence_of :name, :type, :url, :datasets, :latitude, :longitude property :name property :type property :url property :latitude property :longitude property :datasets property :completeness property :weighted_completeness property :richness_of_information property :accuracy property :accessibility def metadata name = @name max = total Tire.search 'metadata' do query { string 'repository:' + name } size max end.results.map { |entry| entry.to_hash } end def total name = @name total = Tire.search('metadata', :search_type => 'count') do query { string 'repository:' + name } end.results.total end def metadata_with_field(field, value="*") name = @name max = total Tire.search 'metadata' do query do boolean do must { string 'repository:' + name } must { string field + ":" + value } end end size max end.results.map { |entry| entry.to_hash } end def update_score(metric, score) self.send("#{metric.name}=", score) end def best_record(metric) sort_metric_scores(metric, 'desc').first.to_hash end def worst_record(metric) sort_metric_scores(metric, 'asc').first.to_hash end private def sort_metric_scores(metric, sorting_order) name = @name search = Tire.search 'metadata' do query { string "repository:#{name}" } sort { by metric, sorting_order } end.results end end
Add get all metadata with certain field method
Add get all metadata with certain field method I refactored the count query into a separate method so it can be used by multiple methods. Then I added a method to return all records which have a certain field defined. A concrete value can be passed in addition. Signed-off-by: Konrad Reiche <[email protected]>
Ruby
mit
platzhirsch/metadata-census
--- +++ @@ -20,14 +20,32 @@ property :accessibility def metadata - total = Tire.search('metadata', :search_type => 'count') do - query { all } - end.results.total - name = @name + max = total Tire.search 'metadata' do query { string 'repository:' + name } - size total + size max + end.results.map { |entry| entry.to_hash } + end + + def total + name = @name + total = Tire.search('metadata', :search_type => 'count') do + query { string 'repository:' + name } + end.results.total + end + + def metadata_with_field(field, value="*") + name = @name + max = total + Tire.search 'metadata' do + query do + boolean do + must { string 'repository:' + name } + must { string field + ":" + value } + end + end + size max end.results.map { |entry| entry.to_hash } end
7319dca5ec681527d2e0f9190d7de5ef547d9513
DEVELOPERS_GUIDE.md
DEVELOPERS_GUIDE.md
#### Developers' Guide #### Branches Our stable branch is `master`, and our development branch is `next`. The general rule of thumb is that bug fixes can be submitted against `master`, but that all new development should be submitted to `next`. If you are ever uncertain, submitting your PR against `next` is the safe bet! ##### Basic Knowledge Our main entry point are the `PROMPT` and `RPROMPT` variables, which are interpreted by zsh itself. All that this (and any other) theme does is filling these two variables with control instructions (like defining colors, etc.) and ready-to-use data. So within this theme we collect a whole bunch of information to put in that variables. You can find `PROMPT` and `RPROMPT` at the very end of the `powerlevel9k.zsh-theme`. This simple diagram may explain the invoking order better: ``` # Once on ZSH-Startup +-----+ | Zsh | +-----+ | v +-----------------------------+ | prompt_powerlevel9k_setup() | +-----------------------------+ | v +---------------------+ +------------+ +---------------------+ | build_left_prompt() |--->| prompt_*() |->| $1_prompt_segment() | +---------------------+ +------------+ +---------------------+ ^ | | v +--------------------------------+ +---------+ +-----------------+ | powerlevel9k_prepare_prompts() | | $PROMPT |<····| Zsh (Rendering) | +--------------------------------+ +---------+ +-----------------+ ^ | +-----+ | Zsh | # On every Render +-----+ ``` ##### Adding Segments Feel free to add your own segments. Every segment gets called with an orientation as first parameter (`left` or `right`), so we can figure out on which side we should draw the segment. This information is used at the time we call the actual segment-drawing function: `$1_prompt_segment`. To make the magic color-overwrite mechanism to work, we have to pass our function name as first argument. Usually this is just `$0`. Second parameter is the array index of the current segment. This is an internal value, to correctly determine if we need to glue segments together. This index is already given as second parameter to your function (from `build_left_prompt` or `build_right_prompt`). Third parameter is a default background color, fourth the default foreground color. Fifth parameter is our content. And finally we pass an "visual identifier" (here just a hash; but it could be a unicode codepoint, string, etc.). The visual identifier is, for left segments, displayed at the beginning, for right segments it is displayed at the end. So our function could look somewhat like this: ```zsh prompt_echo() { local content='Hello World!' $1_prompt_segment "$0" "$2" "blue" "red" "$content" "#" } ``` At this point we can overwrite our blue-on-red segment by putting P9K_ECHO_FOREGROUND="200" P9K_ECHO_BACKGROUND="040" in our `~/.zshrc`. We now have a pink-on-green segment. Yay!
Move developers guide from wiki into the repo
Move developers guide from wiki into the repo
Markdown
mit
dritter/powerlevel9k,dritter/powerlevel9k
--- +++ @@ -0,0 +1,81 @@ +#### Developers' Guide + +#### Branches + +Our stable branch is `master`, and our development branch is `next`. The general rule of thumb is that bug fixes can be submitted against `master`, but that all new development should be submitted to `next`. + +If you are ever uncertain, submitting your PR against `next` is the safe bet! + +##### Basic Knowledge + +Our main entry point are the `PROMPT` and `RPROMPT` variables, which are +interpreted by zsh itself. All that this (and any other) theme does is +filling these two variables with control instructions (like defining +colors, etc.) and ready-to-use data. So within this theme we collect a +whole bunch of information to put in that variables. You can find +`PROMPT` and `RPROMPT` at the very end of the `powerlevel9k.zsh-theme`. + +This simple diagram may explain the invoking order better: + +``` +# Once on ZSH-Startup + +-----+ + | Zsh | + +-----+ + | + v ++-----------------------------+ +| prompt_powerlevel9k_setup() | ++-----------------------------+ + | + v + +---------------------+ +------------+ +---------------------+ + | build_left_prompt() |--->| prompt_*() |->| $1_prompt_segment() | + +---------------------+ +------------+ +---------------------+ + ^ | + | v + +--------------------------------+ +---------+ +-----------------+ + | powerlevel9k_prepare_prompts() | | $PROMPT |<····| Zsh (Rendering) | + +--------------------------------+ +---------+ +-----------------+ + ^ + | + +-----+ + | Zsh | # On every Render + +-----+ +``` + +##### Adding Segments + +Feel free to add your own segments. Every segment gets called with an +orientation as first parameter (`left` or `right`), so we can figure +out on which side we should draw the segment. This information is +used at the time we call the actual segment-drawing function: +`$1_prompt_segment`. To make the magic color-overwrite mechanism to +work, we have to pass our function name as first argument. Usually +this is just `$0`. Second parameter is the array index of the current +segment. This is an internal value, to correctly determine if we need +to glue segments together. This index is already given as second +parameter to your function (from `build_left_prompt` or +`build_right_prompt`). Third parameter is a default background color, +fourth the default foreground color. Fifth parameter is our content. +And finally we pass an "visual identifier" (here just a hash; but it +could be a unicode codepoint, string, etc.). The visual identifier is, +for left segments, displayed at the beginning, for right segments it +is displayed at the end. +So our function could look somewhat like this: + +```zsh +prompt_echo() { + local content='Hello World!' + $1_prompt_segment "$0" "$2" "blue" "red" "$content" "#" +} +``` + +At this point we can overwrite our blue-on-red segment by putting + + P9K_ECHO_FOREGROUND="200" + P9K_ECHO_BACKGROUND="040" + +in our `~/.zshrc`. We now have a pink-on-green segment. Yay! + +
c03b82300aa2b400c47459fb499986289a2724cc
app/views/taxons/_child_taxons_list.html.erb
app/views/taxons/_child_taxons_list.html.erb
<% if accordion_content.present? %> <div class="grid-row child-topic-contents"> <div class="column-two-thirds"> <div class="topic-content"> <div data-module="accordion-with-descriptions" class="js-hidden"> <div class="subsection-wrapper"> <% accordion_content.each_with_index do |taxon, index| %> <div class="subsection js-subsection" id="<%= taxon.base_path %>"> <div class="subsection-header js-subsection-header"> <h2 class="subsection-title js-subsection-title"><%= taxon.title %></h2> <% if taxon.description.present? %> <p class="subsection-description"><%= taxon.description %></p> <% end %> </div> <div class="subsection-content js-subsection-content" id="subsection_content_<%= index + 1 %>"> <% unless taxon.to_hash['has_tagged_content?'] %> <%= render partial: 'email_alerts', locals: { taxon: taxon } %> <% end %> <%= render partial: 'content_list_for_child_taxon', locals: { section_index: index, tagged_content: taxon.tagged_content, } %> </div> </div> <% end %> </div> </div> </div> </div> </div> <% end %>
<% if accordion_content.present? %> <div class="grid-row child-topic-contents"> <div class="column-two-thirds"> <div class="topic-content"> <div data-module="accordion-with-descriptions" class="js-hidden"> <div class="subsection-wrapper"> <% accordion_content.each_with_index do |taxon, index| %> <div class="subsection js-subsection" id="<%= taxon.base_path %>" data-track-count="accordionSection"> <div class="subsection-header js-subsection-header"> <h2 class="subsection-title js-subsection-title"><%= taxon.title %></h2> <% if taxon.description.present? %> <p class="subsection-description"><%= taxon.description %></p> <% end %> </div> <div class="subsection-content js-subsection-content" id="subsection_content_<%= index + 1 %>"> <% unless taxon.to_hash['has_tagged_content?'] %> <%= render partial: 'email_alerts', locals: { taxon: taxon } %> <% end %> <%= render partial: 'content_list_for_child_taxon', locals: { section_index: index, tagged_content: taxon.tagged_content, } %> </div> </div> <% end %> </div> </div> </div> </div> </div> <% end %>
Add count tracking attribute for accordion sections
Add count tracking attribute for accordion sections In order to count the number of accordion sections for tracking, add a data attribute to the subsections, so we don’t have to rely on fragile CSS class/tag name selectors for counting.
HTML+ERB
mit
alphagov/collections,alphagov/collections,alphagov/collections,alphagov/collections
--- +++ @@ -7,7 +7,7 @@ <div class="subsection-wrapper"> <% accordion_content.each_with_index do |taxon, index| %> - <div class="subsection js-subsection" id="<%= taxon.base_path %>"> + <div class="subsection js-subsection" id="<%= taxon.base_path %>" data-track-count="accordionSection"> <div class="subsection-header js-subsection-header"> <h2 class="subsection-title js-subsection-title"><%= taxon.title %></h2> <% if taxon.description.present? %>
25efcd22d65fd6247f3882705eb6fecd830c1c81
AWS/ECS/task-definitions/highway21/highway21-laravel-staging-task-definition.json
AWS/ECS/task-definitions/highway21/highway21-laravel-staging-task-definition.json
{ "family": "highway21-laravel-staging-task-definition", "volumes": [ { "host": { "sourcePath": "/home/ec2-user/web-settings/staging/highway21-laravel/.env" }, "name": "Highway21Volume" } ], "containerDefinitions": [ { "essential": true, "image": "wpsinc/highway21-laravel:%REVISION%", "logConfiguration": { "logDriver": "json-file", "options": { "max-size": "50m" } }, "memory": 100, "mountPoints": [ { "sourceVolume": "Highway21Volume", "containerPath": "/var/www/html/.env" } ], "name": "Highway21Laravel" }, { "essential": true, "image": "wpsinc/highway21-nginx:latest", "links": [ "Highway21PhpFpm" ], "logConfiguration": { "logDriver": "json-file", "options": { "max-size": "50m" } }, "memory": 100, "name": "Highway21Nginx", "portMappings": [ { "hostPort": 50012, "containerPort": 80 } ], "volumesFrom": [ { "sourceContainer": "Highway21Laravel" } ] }, { "essential": true, "image": "wpsinc/highway21-php-fpm:latest", "logConfiguration": { "logDriver": "json-file", "options": { "max-size": "50m" } }, "memory": 200, "name": "Highway21PhpFpm", "volumesFrom": [ { "sourceContainer": "Highway21Laravel" } ] } ] }
Add task definition for highway21 staging
Add task definition for highway21 staging
JSON
mit
wpsinc/omnificent
--- +++ @@ -0,0 +1,74 @@ +{ + "family": "highway21-laravel-staging-task-definition", + "volumes": [ + { + "host": { + "sourcePath": "/home/ec2-user/web-settings/staging/highway21-laravel/.env" + }, + "name": "Highway21Volume" + } + ], + "containerDefinitions": [ + { + "essential": true, + "image": "wpsinc/highway21-laravel:%REVISION%", + "logConfiguration": { + "logDriver": "json-file", + "options": { + "max-size": "50m" + } + }, + "memory": 100, + "mountPoints": [ + { + "sourceVolume": "Highway21Volume", + "containerPath": "/var/www/html/.env" + } + ], + "name": "Highway21Laravel" + }, + { + "essential": true, + "image": "wpsinc/highway21-nginx:latest", + "links": [ + "Highway21PhpFpm" + ], + "logConfiguration": { + "logDriver": "json-file", + "options": { + "max-size": "50m" + } + }, + "memory": 100, + "name": "Highway21Nginx", + "portMappings": [ + { + "hostPort": 50012, + "containerPort": 80 + } + ], + "volumesFrom": [ + { + "sourceContainer": "Highway21Laravel" + } + ] + }, + { + "essential": true, + "image": "wpsinc/highway21-php-fpm:latest", + "logConfiguration": { + "logDriver": "json-file", + "options": { + "max-size": "50m" + } + }, + "memory": 200, + "name": "Highway21PhpFpm", + "volumesFrom": [ + { + "sourceContainer": "Highway21Laravel" + } + ] + } + ] +}
f2879dd8f0d0cc0e1f4ddcc713a100fdd8f81712
.travis.yml
.travis.yml
language: php php: - 5.6 - 5.5 - 5.4 - 5.3 - 5.2 - 5.1 - 5.0 - hhvm matrix: allow_failures: - php: hhvm - php: 5.2 - php: 5.1 - php: 5.0 script: phpunit tests/ sudo: false
language: php php: - 5.6 - 5.5 - 5.4 - 5.3 - 5.2 - 7.0 - 7.1 - hhvm matrix: allow_failures: - php: hhvm - php: 5.2 - php: 7.0 - php: 7.1 script: phpunit tests/ sudo: false
Add tests on PHP 7
Add tests on PHP 7
YAML
mit
iCasa/hQuery.php,iCasa/hQuery.php,duzun/hQuery.php,iCasa/hQuery.php,duzun/hQuery.php,duzun/hQuery.php,duzun/hQuery.php
--- +++ @@ -6,16 +6,16 @@ - 5.4 - 5.3 - 5.2 - - 5.1 - - 5.0 + - 7.0 + - 7.1 - hhvm matrix: allow_failures: - php: hhvm - php: 5.2 - - php: 5.1 - - php: 5.0 + - php: 7.0 + - php: 7.1 script: phpunit tests/