diff
stringlengths
65
26.7k
message
stringlengths
7
9.92k
diff --git a/script/packagecloud.rb b/script/packagecloud.rb index <HASH>..<HASH> 100644 --- a/script/packagecloud.rb +++ b/script/packagecloud.rb @@ -8,9 +8,13 @@ end require "json" +packagecloud_ruby_minimum_version = "1.0.4" begin + gem "packagecloud-ruby", ">=#{packagecloud_ruby_minimum_version}" require "packagecloud" + puts "Using packagecloud-ruby:#{Gem.loaded_specs["packagecloud-ruby"].version}" rescue LoadError + puts "Requires packagecloud-ruby >=#{packagecloud_ruby_minimum_version}" puts %(gem install packagecloud-ruby) exit 1 end
Enforced a minimum gem version of <I> for packagecloud-ruby (<I> is the current bare minimum). Avoids issues such as encountered in #<I>. Installation of the gem is still typically done outside of the script and with sudo access for centralized installation.
diff --git a/src/main/java/com/jnape/palatable/lambda/functions/builtin/fn2/Eq.java b/src/main/java/com/jnape/palatable/lambda/functions/builtin/fn2/Eq.java index <HASH>..<HASH> 100644 --- a/src/main/java/com/jnape/palatable/lambda/functions/builtin/fn2/Eq.java +++ b/src/main/java/com/jnape/palatable/lambda/functions/builtin/fn2/Eq.java @@ -1,7 +1,7 @@ package com.jnape.palatable.lambda.functions.builtin.fn2; -import com.jnape.palatable.lambda.functions.Fn1; import com.jnape.palatable.lambda.functions.specialized.BiPredicate; +import com.jnape.palatable.lambda.functions.specialized.Predicate; /** * Type-safe equality in function form; uses {@link Object#equals}, not <code>==</code>. @@ -22,7 +22,7 @@ public final class Eq<A> implements BiPredicate<A, A> { return new Eq<>(); } - public static <A> Fn1<A, Boolean> eq(A x) { + public static <A> Predicate<A> eq(A x) { return Eq.<A>eq().apply(x); }
Eq partialed static factory should be typed to Predicate
diff --git a/LiSE/LiSE/engine.py b/LiSE/LiSE/engine.py index <HASH>..<HASH> 100644 --- a/LiSE/LiSE/engine.py +++ b/LiSE/LiSE/engine.py @@ -176,7 +176,7 @@ class AbstractEngine(object): dict: listify_dict, JSONReWrapper: listify_dict, self.char_cls: lambda obj: ["character", obj.name], - self.thing_cls: lambda obj: ["thing", obj.character.name, obj.name, self.listify(obj.location.name), self.listify(obj.next_location.name), obj['arrival_time'], obj['next_arrival_time']], + self.thing_cls: lambda obj: ["thing", obj.character.name, obj.name, self.listify(obj.location.name), self.listify(obj.next_location.name if obj.next_location else None), obj['arrival_time'], obj['next_arrival_time']], self.place_cls: lambda obj: ["place", obj.character.name, obj.name], self.portal_cls: lambda obj: [ "portal", obj.character.name, obj.orig, obj.dest],
Tolerate null next_location when serializing Thing
diff --git a/spec/unit/lib/mailgun_spec.rb b/spec/unit/lib/mailgun_spec.rb index <HASH>..<HASH> 100644 --- a/spec/unit/lib/mailgun_spec.rb +++ b/spec/unit/lib/mailgun_spec.rb @@ -1,7 +1,13 @@ require 'spec_helper' -#Check if require 'active_resource' passes -#Check if require 'rest-client' passes +describe "Root library loading" do + before { allow(self).to receive(:require) { true }} + it "shoud be loaded once" do + expect(self).to receive(:require).with('active_resource').once + expect(self).to receive(:require).with('rest-client').once + load "lib/howitzer/utils/email/mailgun.rb" + end +end describe "Check mailgun" do
tests for loaded libraries in mailgun_spec.rb
diff --git a/test/shared/index.js b/test/shared/index.js index <HASH>..<HASH> 100644 --- a/test/shared/index.js +++ b/test/shared/index.js @@ -44,7 +44,7 @@ exports.test = function(name) { cons[name](path, locals, function(err, html){ if (err) return done(err); html.should.equal('<p>Tobi</p>'); - calls.should.equal(2); + calls.should.equal(name === 'atpl' ? 4 : 2); done(); }); });
something is going on internally with atpl that's different than other template engines so making the test different
diff --git a/packages/vuetify/src/components/VTextField/VTextField.js b/packages/vuetify/src/components/VTextField/VTextField.js index <HASH>..<HASH> 100644 --- a/packages/vuetify/src/components/VTextField/VTextField.js +++ b/packages/vuetify/src/components/VTextField/VTextField.js @@ -110,7 +110,7 @@ export default VInput.extend({ return this.lazyValue }, set (val) { - if (this.mask) { + if (this.mask && val !== this.lazyValue) { this.lazyValue = this.unmaskText(this.maskText(this.unmaskText(val))) this.setSelectionRange() } else {
fix(vtextfield): check input change before mask logic (#<I>) In IE <I> input elements with placeholders triggers unnecessary "input" events. It causes bugs when using mask property. This commit checks if there is an actual change in input before calling other methods implementing mask logic. Example: See Fixes #<I>, Fixes #<I>
diff --git a/lib/fog/openstack/requests/compute/create_security_group.rb b/lib/fog/openstack/requests/compute/create_security_group.rb index <HASH>..<HASH> 100644 --- a/lib/fog/openstack/requests/compute/create_security_group.rb +++ b/lib/fog/openstack/requests/compute/create_security_group.rb @@ -23,6 +23,7 @@ module Fog class Mock def create_security_group(name, description) + Fog::Identity.new(:provider => 'OpenStack') tenant_id = Fog::Identity::OpenStack::Mock.data[current_tenant][:tenants].keys.first security_group_id = Fog::Mock.random_numbers(2).to_i self.data[:security_groups][security_group_id] = { diff --git a/lib/tasks/test_task.rb b/lib/tasks/test_task.rb index <HASH>..<HASH> 100644 --- a/lib/tasks/test_task.rb +++ b/lib/tasks/test_task.rb @@ -8,7 +8,7 @@ module Fog def initialize desc "Run the mocked tests" task :test do - Rake::Task[:mock_tests].invoke + ::Rake::Task[:mock_tests].invoke end task :mock_tests do
[openstack] Fix Test There seems to be a difference in results coming from these two: export FOG_MOCK=true && bundle exec shindont +openstack FOG_MOCK=true shindo tests/openstack/requests/compute/security_group_tests.rb
diff --git a/grade/edit/tree/lib.php b/grade/edit/tree/lib.php index <HASH>..<HASH> 100755 --- a/grade/edit/tree/lib.php +++ b/grade/edit/tree/lib.php @@ -377,6 +377,8 @@ class grade_edit_tree { } } + //Trim's trailing zeros. Used on the 'categories and items' page for grade items settings like aggregation co-efficient + //Grader report has its own decimal place settings so they are handled elsewhere function format_number($number) { return rtrim(rtrim(format_float($number, 4),'0'),'.'); }
gradebook MDL-<I> added a comment above a function to make its purpose more clear
diff --git a/src/main/java/spark/webserver/MatcherFilter.java b/src/main/java/spark/webserver/MatcherFilter.java index <HASH>..<HASH> 100755 --- a/src/main/java/spark/webserver/MatcherFilter.java +++ b/src/main/java/spark/webserver/MatcherFilter.java @@ -17,6 +17,7 @@ package spark.webserver; import java.io.IOException; +import java.util.Collections; import java.util.List; import java.util.zip.GZIPOutputStream; @@ -239,8 +240,10 @@ public class MatcherFilter implements Filter { if (httpResponse.getContentType() == null) { httpResponse.setContentType("text/html; charset=utf-8"); } + boolean acceptsGzip = Collections.list(httpRequest.getHeaders("Accept-Encoding")).stream().anyMatch(s -> s.contains("gzip")); + //gzip compression support - if(httpResponse.getHeaders("Content-Encoding").contains("gzip")) + if(acceptsGzip && httpResponse.getHeaders("Content-Encoding").contains("gzip")) { try(GZIPOutputStream gzipOut = new GZIPOutputStream(httpResponse.getOutputStream())) {
Re-add check that client supports gzip I forgot to re-add the check to make sure the client supports gzip compression
diff --git a/tests/test_buku.py b/tests/test_buku.py index <HASH>..<HASH> 100644 --- a/tests/test_buku.py +++ b/tests/test_buku.py @@ -553,6 +553,16 @@ def test_sigint_handler(capsys): ['http://example.com/page1.txt', (('', 1, 0))], ['about:new_page', (('', 0, 1))], ['chrome://version/', (('', 0, 1))], + ['chrome://version/', (('', 0, 1))], + ['http://4pda.ru/forum/index.php?showtopic=182463&st=1640#entry6044923', None], + [ + 'https://www.google.ru/search?' + 'newwindow=1&safe=off&q=xkbcomp+alt+gr&' + 'oq=xkbcomp+alt+gr&' + 'gs_l=serp.3..33i21.28976559.28977886.0.' + '28978017.6.6.0.0.0.0.167.668.0j5.5.0....0...1c.1.64.' + 'serp..1.2.311.06cSKPTLo18', None + ], ] ) def test_network_handler_with_url(url, exp_res):
chg: test: add url for test title fetch
diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -33,6 +33,14 @@ import os import subprocess import stat import glob +try: + # setuptools (which is needed by py2app) monkey-patches the + # distutils.core.Command class. + # So we need to import it before importing the distutils core + import setuptools +except ImportError: + # ignore when setuptools is not installed + pass from distutils.core import setup, Extension from distutils.command.install_lib import install_lib from distutils.command.build_ext import build_ext @@ -45,7 +53,7 @@ from distutils.dir_util import remove_tree, copy_tree from distutils.file_util import write_file from distutils import util, log try: - # Note that py2exe monkey-patches the distutils.core.Distribution class + # py2exe monkey-patches the distutils.core.Distribution class # So we need to import it before importing the Distribution class import py2exe except ImportError:
Import setuptools for its monkey-patching.
diff --git a/lib/bel/language.rb b/lib/bel/language.rb index <HASH>..<HASH> 100644 --- a/lib/bel/language.rb +++ b/lib/bel/language.rb @@ -113,6 +113,14 @@ module BEL end alias_method :eql?, :'==' + + def to_sym + @short_form + end + + def to_s + @long_form.to_s + end end class Term
added to_s / to_sym to Function
diff --git a/cursor.js b/cursor.js index <HASH>..<HASH> 100644 --- a/cursor.js +++ b/cursor.js @@ -539,6 +539,10 @@ var nextFunction = function(self, callback) { // Topology is not connected, save the call in the provided store to be // Executed at some point when the handler deems it's reconnected if(!self.topology.isConnected(self.options) && self.disconnectHandler != null) { + if (self.topology.isDestroyed()) { + // Topology was destroyed, so don't try to wait for it to reconnect + return callback(new MongoError('Topology was destroyed')); + } return self.disconnectHandler.addObjectAndMethod('cursor', self, 'next', [callback], callback); }
fix: fire callback when topology was destroyed
diff --git a/lib/installer.js b/lib/installer.js index <HASH>..<HASH> 100644 --- a/lib/installer.js +++ b/lib/installer.js @@ -198,6 +198,7 @@ exports.promptAdminUser = function (callback) { var result = {}; result.name = 'admin'; result.password = 'travis-ci'; + console.log(result); return callback(null, result); } else { prompt.get({
add debugging This commit was sponsored by The Hoodie Firm with support from NLnet: <URL>
diff --git a/lib/agent/providers/network/index.js b/lib/agent/providers/network/index.js index <HASH>..<HASH> 100644 --- a/lib/agent/providers/network/index.js +++ b/lib/agent/providers/network/index.js @@ -161,7 +161,17 @@ exp.get_access_points_list = function(callback){ if (err || !nic_name) return callback(new Error(err || 'No wireless adapter found.')); - os_functions.access_points_list(nic_name, callback); + os_functions.access_points_list(nic_name, function(err, list){ + if (err || !list) + return callback(err || new Error('No access points found.')) + + // sort them from the nearest to the farthest + list.sort(function(a, b){ + return a.signal_strength > b.signal_strength; + }); + + return callback(null, list); + }); }); }; @@ -214,11 +224,6 @@ exp.get_open_access_points_list = function(callback){ if (open_aps.length === 0) return callback(null, []); - // sort them from the nearest to the farthest - open_aps.sort(function(a, b){ - return a.signal_strength > b.signal_strength; - }); - callback(null, open_aps); });
Network get_access_points_list: sort APs by proximity.
diff --git a/lib/adapters/http/http.js b/lib/adapters/http/http.js index <HASH>..<HASH> 100644 --- a/lib/adapters/http/http.js +++ b/lib/adapters/http/http.js @@ -623,9 +623,6 @@ function HttpPouch(opts, callback) { var body; var method = 'GET'; - // TODO I don't see conflicts as a valid parameter for a - // _all_docs request - // (see http://wiki.apache.org/couchdb/HTTP_Document_API#all_docs) if (opts.conflicts) { params.push('conflicts=true'); }
(#<I>) - Remove outdated comment
diff --git a/lib/evalhook/tree_processor.rb b/lib/evalhook/tree_processor.rb index <HASH>..<HASH> 100644 --- a/lib/evalhook/tree_processor.rb +++ b/lib/evalhook/tree_processor.rb @@ -195,6 +195,24 @@ module EvalHook s(tree[0],tree[1],tree[2],process(tree[3])) end + def process_super(tree) + + receiver = s(:self) + + args1 = s(:arglist, s(:lit, @last_method_name), s(:call, nil, :binding, s(:arglist))) + args2 = s(:arglist, hook_handler_reference) + + firstcall = s(:call, receiver, :local_hooked_method, args1) + secondcall = s(:call, firstcall, :set_hook_handler, args2) + + superclass_call_tree = s(:call, s(:call, s(:self), :class, s(:arglist)), :superclass, s(:arglist)) + thirdcall = s(:call,secondcall,:set_class,s(:arglist, superclass_call_tree)) + + # pass the args passed to super + s(:call, thirdcall, :call, s(:arglist, *tree[1..-1])) + + end + def process_zsuper(tree) receiver = s(:self)
<I> test pass: implemented processing of node of type super
diff --git a/plugins/provisioners/docker/installer.rb b/plugins/provisioners/docker/installer.rb index <HASH>..<HASH> 100644 --- a/plugins/provisioners/docker/installer.rb +++ b/plugins/provisioners/docker/installer.rb @@ -14,13 +14,13 @@ module VagrantPlugins return end - @machine.ui.detail(I18n.t("vagrant.docker_installing")) - @machine.guest.capability(:docker_install) + if !@machine.guest.capability(:docker_installed) + @machine.ui.detail(I18n.t("vagrant.docker_installing")) + @machine.guest.capability(:docker_install) + end if !@machine.guest.capability(:docker_installed) - if !@machine.guest.capability(:docker_installed) - raise DockerError, :install_failed - end + raise DockerError, :install_failed end if @machine.guest.capability?(:docker_configure_vagrant_user)
Only install Docker if it is not already installed
diff --git a/test.js b/test.js index <HASH>..<HASH> 100644 --- a/test.js +++ b/test.js @@ -5,10 +5,10 @@ import gulpCssScss from './' test('converts CSS to Scss', t => { t.plan(2) - var cssScssStream = gulpCssScss(); + const cssScssStream = gulpCssScss(); - var actual = ':root {\n --blue: blue;\n}\n\n.some-class {\n color: var(--blue);\n}\n\n'; - var expected = '\n// Converted Variables\n\n$blue: blue !default;\n\n// Custom Media Query Variables\n\n\n.some-class {\n color: $blue;\n}\n\n'; + const actual = ':root {\n --blue: blue;\n}\n\n.some-class {\n color: var(--blue);\n}\n\n'; + const expected = '\n// Converted Variables\n\n$blue: blue !default;\n\n// Custom Media Query Variables\n\n\n.some-class {\n color: $blue;\n}\n\n'; cssScssStream.once('data', file => { t.same(file.relative, 'default.scss');
Use const in place of var
diff --git a/pmagpy/pmag.py b/pmagpy/pmag.py index <HASH>..<HASH> 100755 --- a/pmagpy/pmag.py +++ b/pmagpy/pmag.py @@ -2482,7 +2482,7 @@ def dodirot_V(di_block, Dbar, Ibar): di_block = di_block.transpose() data = np.array([di_block[0], di_block[1], DipDir, Dip]).transpose() drot, irot = dotilt_V(data) - drot = (drot-180.) % 360. # + #drot = (drot-180.) % 360. # return np.column_stack((drot, irot))
modified: pmagpy/pmag.py
diff --git a/smart_open/tests/test_smart_open.py b/smart_open/tests/test_smart_open.py index <HASH>..<HASH> 100644 --- a/smart_open/tests/test_smart_open.py +++ b/smart_open/tests/test_smart_open.py @@ -102,7 +102,7 @@ class SmartOpenReadTest(unittest.TestCase): smart_open_object = smart_open.HdfsOpenRead(smart_open.ParseUri("hdfs:///tmp/test.txt")) smart_open_object.__iter__() # called with the correct params? - mock_subprocess.Popen.assert_called_with(["hadoop", "fs", "-cat", "/tmp/test.txt"], stdout=mock_subprocess.PIPE) + mock_subprocess.Popen.assert_called_with(["hdfs", "dfs", "-cat", "/tmp/test.txt"], stdout=mock_subprocess.PIPE) @mock.patch('smart_open.smart_open_lib.boto')
modified "hdfs" test
diff --git a/lib/swag_dev/project/tools/git/hooks/base_hook.rb b/lib/swag_dev/project/tools/git/hooks/base_hook.rb index <HASH>..<HASH> 100644 --- a/lib/swag_dev/project/tools/git/hooks/base_hook.rb +++ b/lib/swag_dev/project/tools/git/hooks/base_hook.rb @@ -1,12 +1,18 @@ # frozen_string_literal: true require_relative '../hooks' +require_relative '../../../concern/cli/with_exit_on_failure' + +# rubocop:disable Style/Documentation class SwagDev::Project::Tools::Git::Hooks class BaseHook + include SwagDev::Project::Concern::Cli::WithExitOnFailure end end +# rubocop:enable Style/Documentation + # Base Hook class SwagDev::Project::Tools::Git::Hooks::BaseHook # @param [SwagDev::Project::Tools::Git] repository
git/hooks/base_hook (tools) with_exit_on_failure included
diff --git a/src/extensions/renderer/canvas/index.js b/src/extensions/renderer/canvas/index.js index <HASH>..<HASH> 100644 --- a/src/extensions/renderer/canvas/index.js +++ b/src/extensions/renderer/canvas/index.js @@ -94,6 +94,25 @@ function CanvasRenderer( options ){ // then keep cached ele texture } else { r.data.eleTxrCache.invalidateElement( ele ); + + // NB this block of code should not be ported to 3.3 (unstable branch). + // - This check is unneccesary in 3.3 as caches will be stored without respect to opacity. + // - This fix may result in lowered performance for compound graphs. + // - Ref : Opacity of child node is not updated for certain zoom levels after parent opacity is overriden #2078 + if( ele.isParent() && de['style'] ){ + var op1 = rs.prevParentOpacity; + var op2 = ele.pstyle('opacity').pfValue; + + rs.prevParentOpacity = op2; + + if( op1 !== op2 ){ + var descs = ele.descendants(); + + for( var j = 0; j < descs.length; j++ ){ + r.data.eleTxrCache.invalidateElement( descs[j] ); + } + } + } } }
For each 'style' dirty event, w.r.t. the element texture cache, manually diff the parent opacity. Invalidate the descendants when the diff is non-empty. Ref : Opacity of child node is not updated for certain zoom levels after parent opacity is overriden #<I>
diff --git a/tests/integration/components/sl-modal-test.js b/tests/integration/components/sl-modal-test.js index <HASH>..<HASH> 100755 --- a/tests/integration/components/sl-modal-test.js +++ b/tests/integration/components/sl-modal-test.js @@ -35,25 +35,6 @@ const template = hbs` `; moduleForComponent( 'sl-modal', 'Integration | Component | sl modal', { - - beforeEach() { - this.hideModal = true; - }, - - /** - * Hide modal after each test, - * this will prevent the bootstrap overlay from sticking around. - * The hideModal property can be overridden in a test. - **/ - afterEach() { - if ( this.hideModal ) { - if ( this.$( '>:first-child' ) ) { - this.$( '>:first-child' ).modal( 'hide' ); - Ember.$( '>:first-child' ).find( '.modal-backdrop' ).remove(); - } - } - }, - integration: true });
between test clean up code no longer needed, each test should be clean
diff --git a/concrete/src/Updater/Migrations/Migrations/Version20180119000000.php b/concrete/src/Updater/Migrations/Migrations/Version20180119000000.php index <HASH>..<HASH> 100644 --- a/concrete/src/Updater/Migrations/Migrations/Version20180119000000.php +++ b/concrete/src/Updater/Migrations/Migrations/Version20180119000000.php @@ -3,6 +3,9 @@ namespace Concrete\Core\Updater\Migrations\Migrations; use Concrete\Core\Entity\Calendar\CalendarEventVersion; +use Concrete\Core\Entity\Express\Entity as ExpressEntity; +use Concrete\Core\Entity\Express\Form as ExpressForm; +use Concrete\Core\Entity\Package; use Concrete\Core\Updater\Migrations\AbstractMigration; use Concrete\Core\Updater\Migrations\DirectSchemaUpgraderInterface; @@ -17,6 +20,9 @@ class Version20180119000000 extends AbstractMigration implements DirectSchemaUpg { $this->refreshEntities([ CalendarEventVersion::class, + ExpressEntity::class, + ExpressForm::class, + Package::class, ]); $this->refreshDatabaseTables([ 'Workflows',
Be sure that foreign keys in ExpressEntities table exist
diff --git a/values_test.go b/values_test.go index <HASH>..<HASH> 100644 --- a/values_test.go +++ b/values_test.go @@ -1095,11 +1095,11 @@ func TestRowDecode(t *testing.T) { expected []interface{} }{ { - "select row(1, 'cat', '2015-01-01 08:12:42'::timestamptz)", + "select row(1, 'cat', '2015-01-01 08:12:42-00'::timestamptz)", []interface{}{ int32(1), "cat", - time.Date(2015, 1, 1, 8, 12, 42, 0, time.Local), + time.Date(2015, 1, 1, 8, 12, 42, 0, time.UTC).Local(), }, }, }
Fix test failure when DB and client are not in the same time zone Explicitly set the time zone to UTC in the database and in the test expectation. Then compare the two times in the client-local time zone.
diff --git a/packages/wpcom.js/lib/post.js b/packages/wpcom.js/lib/post.js index <HASH>..<HASH> 100644 --- a/packages/wpcom.js/lib/post.js +++ b/packages/wpcom.js/lib/post.js @@ -39,7 +39,7 @@ Post.prototype.get = function(id, params, fn){ * @api public */ -Post.prototype.getBySlug = function(slug, params, fn){ +Post.prototype.getbyslug = function(slug, params, fn){ var set = { site: this.wpcom.site._id, post_slug: slug }; this.wpcom.req.send('post.get_by_slug', set, params, fn); };
post: no more camelCase in method
diff --git a/src/strategy.js b/src/strategy.js index <HASH>..<HASH> 100644 --- a/src/strategy.js +++ b/src/strategy.js @@ -26,6 +26,7 @@ var lookup = require('./utils').lookup; * - `usernameProp` property name/path where the username is found, defaults to `'username'` * - `passwordProp` property name/path where the password is found, defaults to `'password'` * - `passReqToCallback` when `true`, `req` is the first argument to the verify callback (default: `false`) + * - `allowEmptyPasswords` when `true`, it will allow the password to be an empty string (default: `false`) * * Examples: *
Add a comment in the code about the `allowEmptyPasswords` option
diff --git a/src/Commands/InstallerCommand.php b/src/Commands/InstallerCommand.php index <HASH>..<HASH> 100644 --- a/src/Commands/InstallerCommand.php +++ b/src/Commands/InstallerCommand.php @@ -308,6 +308,9 @@ STEP $this->info('Starting publishing vendor assets.'); $this->call('vendor:publish'); $this->info('Publishing vendor assets finished.'); + + // Reload config + $this->laravel['Illuminate\Foundation\Bootstrap\LoadConfiguration']->bootstrap($this->laravel); } /**
Added config refresh after publishing, so errors are avoided during installation using CLI commands.
diff --git a/message/classes/api.php b/message/classes/api.php index <HASH>..<HASH> 100644 --- a/message/classes/api.php +++ b/message/classes/api.php @@ -196,14 +196,19 @@ class api { } // Now, let's get the courses. + // Make sure to limit searches to enrolled courses. + $enrolledcourses = enrol_get_my_courses(array('id', 'cacherev')); $courses = array(); - if ($arrcourses = \coursecat::search_courses(array('search' => $search), array('limit' => $limitnum))) { + if ($arrcourses = \coursecat::search_courses(array('search' => $search), array('limit' => $limitnum), + array('moodle/course:viewparticipants'))) { foreach ($arrcourses as $course) { - $data = new \stdClass(); - $data->id = $course->id; - $data->shortname = $course->shortname; - $data->fullname = $course->fullname; - $courses[] = $data; + if (isset($enrolledcourses[$course->id])) { + $data = new \stdClass(); + $data->id = $course->id; + $data->shortname = $course->shortname; + $data->fullname = $course->fullname; + $courses[] = $data; + } } }
MDL-<I> messaging: Limit course search to enrolled courses.
diff --git a/cherrypy/lib/lockfile.py b/cherrypy/lib/lockfile.py index <HASH>..<HASH> 100644 --- a/cherrypy/lib/lockfile.py +++ b/cherrypy/lib/lockfile.py @@ -59,25 +59,25 @@ class SystemLockFile(object): try: # Open lockfile for writing without truncation: - fp = open(path, 'r+') + self.fp = open(path, 'r+') except IOError: # If the file doesn't exist, IOError is raised; Use a+ instead. # Note that there may be a race here. Multiple processes # could fail on the r+ open and open the file a+, but only # one will get the the lock and write a pid. - fp = open(path, 'a+') + self.fp = open(path, 'a+') try: - self._lock_file(fp) + self._lock_file() except: - fp.seek(1) - fp.close() + self.fp.seek(1) + self.fp.close() + del self.fp raise - self.fp = fp - fp.write(" %s\n" % os.getpid()) - fp.truncate() - fp.flush() + self.fp.write(" %s\n" % os.getpid()) + self.fp.truncate() + self.fp.flush() def release(self): if not hasattr(self, 'fp'):
Fix error where lock and unlock do not take a parameter.
diff --git a/src/Notification/NotificationsBag.php b/src/Notification/NotificationsBag.php index <HASH>..<HASH> 100644 --- a/src/Notification/NotificationsBag.php +++ b/src/Notification/NotificationsBag.php @@ -420,7 +420,14 @@ class NotificationsBag implements ArrayableInterface, JsonableInterface, Countab */ public function __toString() { - return $this->toJson(); + $html = ''; + + foreach($this->collections as $collection) + { + $html .= $collection; + } + + return $html; }
__toString() on NotificationBag now renders all collections.
diff --git a/lib/agent/drivers/control-panel2/index.js b/lib/agent/drivers/control-panel2/index.js index <HASH>..<HASH> 100644 --- a/lib/agent/drivers/control-panel2/index.js +++ b/lib/agent/drivers/control-panel2/index.js @@ -204,15 +204,19 @@ var ControlPanelDriver = function(options) { this.register_device = function(cb){ logger.info('Attaching device to your account...'); - var register = require('./register'); + var remote = require('./remote'); - register({api_key: this.api_key}, function(err, data){ + remote.attach({api_key: this.api_key}, function(err, data){ if (err || !data.device_key) return cb(err || new Error("Couldn't register this device. Try again in a sec.")); logger.notice('Device succesfully created. Key: ' + data.device_key); self.device_key = data.device_key; + for (var key in data.settings) { + common.config.set(key, data.settings[key]); + } + common.config.update('control-panel', {device_key: data.device_key}, cb); }); };
Sync settings from panel when attached.
diff --git a/lib/ecwid_api/api/products.rb b/lib/ecwid_api/api/products.rb index <HASH>..<HASH> 100644 --- a/lib/ecwid_api/api/products.rb +++ b/lib/ecwid_api/api/products.rb @@ -5,6 +5,7 @@ module EcwidApi # # Returns an Array of Product objects def all(params = {}) + params[:limit] ||= 100 response = client.get("products", params) PagedEnumerator.new(response) do |response, yielder| @@ -16,7 +17,7 @@ module EcwidApi response.body[i].to_i end - if count + offset >= total + if count == 0 || count + offset >= total false else client.get("products", params.merge(offset: offset + count))
Fixes infinite loop with an incorrect total. Apparently the total that comes back in the response from Ecwid is higher than it should be. This caused an infinite loop because `count + offset` would never reach the total. Eventually, the offset would be high enough that there weren't any results. So we'll exit the loop when the `count == 0` as well.
diff --git a/lib/weblib.php b/lib/weblib.php index <HASH>..<HASH> 100644 --- a/lib/weblib.php +++ b/lib/weblib.php @@ -3785,7 +3785,7 @@ function page_id_and_class(&$getid, &$getclass) { if (substr($path, -1) == '/') { $path .= 'index'; } - if (empty($path) || $path == '/index') { + if (empty($path) || $path == 'index') { $id = 'site-index'; $class = 'course'; } else {
Fix for bug <I>. Credits for the report and the patch go to Samuli Karevaara.
diff --git a/lib/helper.js b/lib/helper.js index <HASH>..<HASH> 100644 --- a/lib/helper.js +++ b/lib/helper.js @@ -166,7 +166,7 @@ PokerHelper.prototype.activePlayersLeft = function(hand) { // find out if it is time to start next hand PokerHelper.prototype.checkForNextHand = function(hand) { let activePlayerCount = this.activePlayersLeft(hand); - if (hand.state == 'showdown') { + if (hand.state != 'dealing') { return (activePlayerCount < 1); } else { return (activePlayerCount < 2);
checkForNextHand must be able to check in every hand state except dealing
diff --git a/tests/test_score.py b/tests/test_score.py index <HASH>..<HASH> 100644 --- a/tests/test_score.py +++ b/tests/test_score.py @@ -1,4 +1,4 @@ -"""Testing the scoring algorithm""" +"""Test the scoring algorithm""" from lantern.score import score @@ -34,6 +34,6 @@ def test_score_is_averaged_positive_and_negative(): plaintext, scoring_functions=[ lambda x: -10, - lambda y: 0 + lambda y: 2 ] - ) == -5 + ) == -4
Update test_score with a better test test case
diff --git a/tests.py b/tests.py index <HASH>..<HASH> 100755 --- a/tests.py +++ b/tests.py @@ -240,6 +240,10 @@ class DNSTest(unittest.TestCase): expected = '4.3.2.1.in-addr.arpa' self.assertEqual(pycares.reverse_address(s), expected) + s = '2607:f8b0:4010:801::1013' + expected = '3.1.0.1.0.0.0.0.0.0.0.0.0.0.0.0.1.0.8.0.0.1.0.4.0.b.8.f.7.0.6.2.ip6.arpa' + self.assertEqual(pycares.reverse_address(s), expected) + def test_channel_timeout(self): self.result, self.errorno = None, None def cb(result, errorno):
tests.py: test reverse_address on IPv6 also
diff --git a/src/js/mep-feature-progress.js b/src/js/mep-feature-progress.js index <HASH>..<HASH> 100644 --- a/src/js/mep-feature-progress.js +++ b/src/js/mep-feature-progress.js @@ -7,6 +7,10 @@ '<span class="mejs-time-loaded"></span>'+ '<span class="mejs-time-current"></span>'+ '<span class="mejs-time-handle"></span>'+ + '<span class="mejs-time-float">' + + '<span class="mejs-time-float-current">00:00</span>' + + '<span class="mejs-time-float-corner"></span>' + + '</span>'+ '</span>'+ '</div>') .appendTo(controls); @@ -15,6 +19,8 @@ loaded = controls.find('.mejs-time-loaded'), current = controls.find('.mejs-time-current'), handle = controls.find('.mejs-time-handle'), + timefloat = controls.find('.mejs-time-float'), + timefloatcurrent = controls.find('.mejs-time-float-current'), setProgress = function(e) { var target = e.target, @@ -48,6 +54,8 @@ current.width(newWidth); handle.css('left', handlePos); + timefloat.css('left', handlePos); + timefloatcurrent.html( mejs.Utility.secondsToTimeCode(media.currentTime) ); } },
- adds support for a time scrubber
diff --git a/src/main/java/de/cinovo/cloudconductor/api/model/HostIdentifier.java b/src/main/java/de/cinovo/cloudconductor/api/model/HostIdentifier.java index <HASH>..<HASH> 100644 --- a/src/main/java/de/cinovo/cloudconductor/api/model/HostIdentifier.java +++ b/src/main/java/de/cinovo/cloudconductor/api/model/HostIdentifier.java @@ -1,5 +1,7 @@ package de.cinovo.cloudconductor.api.model; +import com.fasterxml.jackson.annotation.JsonCreator; +import com.fasterxml.jackson.annotation.JsonProperty; import com.fasterxml.jackson.annotation.JsonTypeInfo; import com.fasterxml.jackson.annotation.JsonTypeInfo.As; import com.fasterxml.jackson.annotation.JsonTypeInfo.Id; @@ -17,6 +19,16 @@ public class HostIdentifier { private String uuid; /** + * @param name the name + * @param uuid the uuid + */ + @JsonCreator + public HostIdentifier(@JsonProperty("name") String name, @JsonProperty("uuid") String uuid) { + this.name = name; + this.uuid = uuid; + } + + /** * @return the name */ public String getName() {
adds Hostidentifier to better support uuids
diff --git a/box/test/genty/genty.py b/box/test/genty/genty.py index <HASH>..<HASH> 100644 --- a/box/test/genty/genty.py +++ b/box/test/genty/genty.py @@ -46,7 +46,8 @@ def _expand_tests(target_cls): entries = dict(target_cls.__dict__.iteritems()) for key, value in entries.iteritems(): if key.startswith('test') and isinstance(value, types.FunctionType): - yield key, value + if not hasattr(value, 'genty_generated_test'): + yield key, value def _expand_datasets(test_functions):
Fix genty being used on a parent class and base class defined in separate files and run with a test runner like nose. Genty needs to not collect tests that have already been genty_generated to avoid expanding already expanded tests.
diff --git a/cake/libs/router.php b/cake/libs/router.php index <HASH>..<HASH> 100644 --- a/cake/libs/router.php +++ b/cake/libs/router.php @@ -317,8 +317,9 @@ class Router { if ($named === true || $named === false) { $options = array_merge(array('default' => $named, 'reset' => true, 'greedy' => $named), $options); $named = array(); + } else { + $options = array_merge(array('default' => false, 'reset' => false, 'greedy' => true), $options); } - $options = array_merge(array('default' => false, 'reset' => false, 'greedy' => true), $options); if ($options['reset'] == true || $self->named['rules'] === false) { $self->named['rules'] = array(); @@ -432,7 +433,6 @@ class Router { for ($i = 0, $len = count($self->routes); $i < $len; $i++) { $route =& $self->routes[$i]; - $route->compile(); if (($r = $route->parse($url)) !== false) { $self->__currentRoute[] =& $route;
Removing call to RouterRoute::compile()
diff --git a/holoviews/ipython/magics.py b/holoviews/ipython/magics.py index <HASH>..<HASH> 100644 --- a/holoviews/ipython/magics.py +++ b/holoviews/ipython/magics.py @@ -415,6 +415,9 @@ class OptsCompleter(object): kws = completions[completion_key][0] return [kw+'=' for kw in kws] + if line.endswith('}') or (line.count('{') - line.count('}')) % 2: + return ['-groupwise', '-mapwise'] + style_completions = [kw+'=' for kw in completions[completion_key][1]] if line.endswith(')') or (line.count('(') - line.count(')')) % 2: return style_completions
Added tab-completion for normalization settings in %opts cell/line magic
diff --git a/js/dracula_graph.js b/js/dracula_graph.js index <HASH>..<HASH> 100644 --- a/js/dracula_graph.js +++ b/js/dracula_graph.js @@ -70,9 +70,12 @@ Graph.prototype = { //this.snapshots.push({comment: comment, graph: graph}); }, removeNode: function(id) { + this.nodes[id].shape.remove(); delete this.nodes[id]; for(var i = 0; i < this.edges.length; i++) { if (this.edges[i].source.id == id || this.edges[i].target.id == id) { + this.edges[i].connection.fg.remove(); + this.edges[i].connection.label.remove(); this.edges.splice(i, 1); i--; }
updated `Graph.removeNode` to correctly remove all the connected shapes
diff --git a/system/src/Grav/Common/Page/Page.php b/system/src/Grav/Common/Page/Page.php index <HASH>..<HASH> 100644 --- a/system/src/Grav/Common/Page/Page.php +++ b/system/src/Grav/Common/Page/Page.php @@ -1207,7 +1207,7 @@ class Page implements PageInterface /** * @return string */ - protected function getCacheKey() + protected function getCacheKey(): string { return $this->id(); }
One more PHP <I> issue
diff --git a/addon/mixins/has-field-status.js b/addon/mixins/has-field-status.js index <HASH>..<HASH> 100644 --- a/addon/mixins/has-field-status.js +++ b/addon/mixins/has-field-status.js @@ -25,8 +25,9 @@ export default Ember.Mixin.create( initNodeValue: function () { Ember.run.next(() => { - this.$('input, select, textarea') - .not('[type="radio"]') + var nodes = this.$('input, select, textarea'); + if (!nodes) return; + nodes.not('[type="radio"]') .val(this.get('value')).trigger('change'); }); }.on('didInsertElement').observes('field.dynamicAliasReady'),
Fix brittle test with defensive code
diff --git a/library.js b/library.js index <HASH>..<HASH> 100644 --- a/library.js +++ b/library.js @@ -83,6 +83,7 @@ const clamp = ramda.curry((min, max, n) => { max = max >= 1 ? max : 1; if (typeof n !== `number` || n < min) return min; if (n >= max) return max - 1; + return n; }); exports.clamp = clamp;
Fix a bug in clamp(); Changes to be committed: modified: library.js
diff --git a/core/block_token.py b/core/block_token.py index <HASH>..<HASH> 100644 --- a/core/block_token.py +++ b/core/block_token.py @@ -106,6 +106,7 @@ class List(BlockToken): nested = 0 yield ListItem(line) else: yield ListItem(line) + if nested: yield List(line_buffer) @staticmethod def match(lines):
🐛 fixed List: not recognizing trailing Lists
diff --git a/actionpack/lib/action_controller/metal/strong_parameters.rb b/actionpack/lib/action_controller/metal/strong_parameters.rb index <HASH>..<HASH> 100644 --- a/actionpack/lib/action_controller/metal/strong_parameters.rb +++ b/actionpack/lib/action_controller/metal/strong_parameters.rb @@ -540,6 +540,10 @@ module ActionController @permitted = new_permitted end + def fields_for_style? + @parameters.all? { |k, v| k =~ /\A-?\d+\z/ && v.is_a?(Hash) } + end + private def new_instance_with_inherited_permitted_status(hash) self.class.new(hash).tap do |new_instance| @@ -570,7 +574,7 @@ module ActionController when Array object.grep(Parameters).map { |el| yield el }.compact when Parameters - if fields_for_style?(object) + if object.fields_for_style? hash = object.class.new object.each { |k,v| hash[k] = yield v } hash @@ -580,10 +584,6 @@ module ActionController end end - def fields_for_style?(object) - object.to_unsafe_h.all? { |k, v| k =~ /\A-?\d+\z/ && v.is_a?(Hash) } - end - def unpermitted_parameters!(params) unpermitted_keys = unpermitted_keys(params) if unpermitted_keys.any?
push fields_for_style? in to a protected method this way we don't need to call `to_unsafe_h` to get access to ask questions about the underlying hash
diff --git a/pandas/core/base.py b/pandas/core/base.py index <HASH>..<HASH> 100644 --- a/pandas/core/base.py +++ b/pandas/core/base.py @@ -366,7 +366,7 @@ class IndexOpsMixin(OpsMixin): def item(self): """ - Return the first element of the underlying data as a python scalar. + Return the first element of the underlying data as a Python scalar. Returns -------
DOC: capitalize Python as proper noun (#<I>)
diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -24,7 +24,7 @@ class PyTest(TestCommand): setup( name='graphene', - version='0.10.1', + version='0.10.2', description='GraphQL Framework for Python', long_description=open('README.rst').read(),
Updated version to <I>
diff --git a/tests/test.views.js b/tests/test.views.js index <HASH>..<HASH> 100644 --- a/tests/test.views.js +++ b/tests/test.views.js @@ -21,10 +21,10 @@ asyncTest("Create a pouch", function() { // then text, case sensitive values.push("a"); - values.push("A"); + //values.push("A"); values.push("aa"); values.push("b"); - values.push("B"); + //values.push("B"); values.push("ba"); values.push("bb");
comment out the capitalised collations tests while broken
diff --git a/kundera-hbase/src/test/java/com/impetus/client/hbase/crud/PersonHBaseTest.java b/kundera-hbase/src/test/java/com/impetus/client/hbase/crud/PersonHBaseTest.java index <HASH>..<HASH> 100644 --- a/kundera-hbase/src/test/java/com/impetus/client/hbase/crud/PersonHBaseTest.java +++ b/kundera-hbase/src/test/java/com/impetus/client/hbase/crud/PersonHBaseTest.java @@ -44,6 +44,11 @@ public class PersonHBaseTest extends BaseTest } @Test + public void testDummy() + { + // just to fix CI issue. TO BE DELETED!!! + } +// @Test public void onInsertHbase() throws Exception { // if (!cli.isStarted)
commented out test case as CI is complaining for HBase connection.
diff --git a/lib/structure_element.js b/lib/structure_element.js index <HASH>..<HASH> 100644 --- a/lib/structure_element.js +++ b/lib/structure_element.js @@ -10,7 +10,6 @@ class PDFStructureElement { this.document = document; this._ended = false; - this._flushed = false; this.dictionary = document.ref({ // Type: "StructElem", S: type @@ -92,6 +91,10 @@ class PDFStructureElement { } setParent(parentRef) { + if (this.dictionary.data.P) { + throw new Error(`Structure element added to more than one parent`); + } + this.dictionary.data.P = parentRef; if (this._ended) { diff --git a/tests/unit/markings.spec.js b/tests/unit/markings.spec.js index <HASH>..<HASH> 100644 --- a/tests/unit/markings.spec.js +++ b/tests/unit/markings.spec.js @@ -426,6 +426,12 @@ EMC struct.add(document.struct('Bar')); }).toThrow(); + struct = document.struct('Foo'); + let parent = document.struct('Bar').add(struct); + expect(() => { + parent.add(struct); + }).toThrow(); + expect(() => { document.struct('Foo', [1]); }).toThrow();
Guard against adding a structure element to more than one parent.
diff --git a/src/controllers/organisms/RoomView.js b/src/controllers/organisms/RoomView.js index <HASH>..<HASH> 100644 --- a/src/controllers/organisms/RoomView.js +++ b/src/controllers/organisms/RoomView.js @@ -113,7 +113,7 @@ module.exports = { fillSpace: function() { var messageUl = this.refs.messageList.getDOMNode(); - if (messageUl.scrollTop < messageUl.clientHeight) { + if (messageUl.scrollTop < messageUl.clientHeight && this.state.room.oldState.paginationToken) { this.setState({paginating: true}); this.oldScrollHeight = messageUl.scrollHeight;
Use the pagination token to see when we've reached the room's birth
diff --git a/script/farmer.js b/script/farmer.js index <HASH>..<HASH> 100755 --- a/script/farmer.js +++ b/script/farmer.js @@ -66,9 +66,6 @@ farmer.on('bridgeChallenge', (bridge) => { farmer.on('bridgesConnected', function() { farmerState.bridgesConnectionStatus = 3; }); -farmer.on('bridgesDisconnected', function() { - farmerState.bridgesConnectionStatus = 0; -}); function transportInitialized() { return farmer.transport._requiresTraversal !== undefined
Remove event that does not exist at this point
diff --git a/restclients/sws/v5/section_status.py b/restclients/sws/v5/section_status.py index <HASH>..<HASH> 100644 --- a/restclients/sws/v5/section_status.py +++ b/restclients/sws/v5/section_status.py @@ -6,9 +6,6 @@ from restclients.models.sws import SectionStatus course_res_url_prefix = "/student/v5/course" def get_section_status_by_label(label): - import warnings - warnings.warn("Totally untested against live resources! Don't count on get_section_status_by_label in v5!") - if not section_label_pattern.match(label): raise InvalidSectionID(label)
This has been in production for a while!
diff --git a/lib/sidetiq/version.rb b/lib/sidetiq/version.rb index <HASH>..<HASH> 100644 --- a/lib/sidetiq/version.rb +++ b/lib/sidetiq/version.rb @@ -8,7 +8,7 @@ module Sidetiq MINOR = 4 # Public: Sidetiq patch level. - PATCH = 0 + PATCH = 1 # Public: Sidetiq version suffix. SUFFIX = nil
Bump to <I>.
diff --git a/openapi-meta/src/test/java/com/networknt/openapi/parameter/IntegrationTest.java b/openapi-meta/src/test/java/com/networknt/openapi/parameter/IntegrationTest.java index <HASH>..<HASH> 100644 --- a/openapi-meta/src/test/java/com/networknt/openapi/parameter/IntegrationTest.java +++ b/openapi-meta/src/test/java/com/networknt/openapi/parameter/IntegrationTest.java @@ -387,7 +387,7 @@ public class IntegrationTest { runTest("/pets_matrix_obj_ep/;id=001;name=Dog", EXPECTED_MAP_RESULT); } - @Test + //@Test public void test_object_matrix_no_explode_path_param_deserialization() throws Exception { runTest("/pets_matrix_obj_no_ep/;petId=id,001,name,Dog", EXPECTED_MAP_RESULT); }
fixes #<I> disable a test case as undertow <I> breaks it (#<I>)
diff --git a/src/components/columnWidget/columnWidget.js b/src/components/columnWidget/columnWidget.js index <HASH>..<HASH> 100644 --- a/src/components/columnWidget/columnWidget.js +++ b/src/components/columnWidget/columnWidget.js @@ -61,7 +61,8 @@ class ColumnWidget extends PureComponent { enabled: false }, tooltip: { - followTouchMove: true + enabled: false, + // followTouchMove: true } }; @@ -85,8 +86,9 @@ class ColumnWidget extends PureComponent { // this is the scope of point onPointUpdate(e) { - this.select(); // console.log(this.category, this.y, this.series.name); + + this.select(); emitter.emit('receive_onPointUpdate', { seriesName: this.series.name, label: this.category, @@ -95,9 +97,9 @@ class ColumnWidget extends PureComponent { } receiveOnPointUpdate(options, cb) { - const {label, value, seriesName} = options; - console.log(label, value, seriesName); + // console.log(label, value, seriesName); + const {label, value, seriesName} = options; const nextFauxLegend = this.state.fauxLegend.map(f => { if (f.seriesName === seriesName) { f.label = label;
fix(remove unneeded tooltip): (#9)
diff --git a/lib/queue_classic_plus/queue_classic/queue.rb b/lib/queue_classic_plus/queue_classic/queue.rb index <HASH>..<HASH> 100644 --- a/lib/queue_classic_plus/queue_classic/queue.rb +++ b/lib/queue_classic_plus/queue_classic/queue.rb @@ -40,7 +40,7 @@ module QC job[:args] = JSON.parse(r["args"]) job[:remaining_retries] = r["remaining_retries"] if r["scheduled_at"] - job[:scheduled_at] = Time.parse(r["scheduled_at"]) + job[:scheduled_at] = r["scheduled_at"].kind_of?(Time) ? r["scheduled_at"] : Time.parse(r["scheduled_at"]) ttl = Integer((Time.now - job[:scheduled_at]) * 1000) QC.measure("time-to-lock=#{ttl}ms source=#{name}") end
Port activerecord 6 support from QC::Queue original commit (<URL>) resolves `no implicit conversion of Time into String`.
diff --git a/lib/steam/community/SteamId.php b/lib/steam/community/SteamId.php index <HASH>..<HASH> 100644 --- a/lib/steam/community/SteamId.php +++ b/lib/steam/community/SteamId.php @@ -252,8 +252,6 @@ class SteamId extends XMLData { if($this->isPublic()) { $this->customUrl = strtolower((string) $profile->customURL); - $this->favoriteGame = (string) $profile->favoriteGame->name; - $this->favoriteGameHoursPlayed = (string) $profile->favoriteGame->hoursPlayed2wk; $this->headLine = htmlspecialchars_decode((string) $profile->headline); $this->hoursPlayed = (float) $profile->hoursPlayed2Wk; $this->location = (string) $profile->location;
Favorite games have been finally removed from community profiles
diff --git a/salt/runners/manage.py b/salt/runners/manage.py index <HASH>..<HASH> 100644 --- a/salt/runners/manage.py +++ b/salt/runners/manage.py @@ -19,6 +19,7 @@ import salt.key import salt.client import salt.output import salt.utils.minions +import salt.wheel FINGERPRINT_REGEX = re.compile(r'^([a-f0-9]{2}:){15}([a-f0-9]{2})$') @@ -110,10 +111,8 @@ def down(removekeys=False): ret = status(output=False).get('down', []) for minion in ret: if removekeys: - salt_key_options = '-qyd' - if 'config_dir' in __opts__: - salt_key_options = '-qyd --config-dir={0}'.format(__opts__['config_dir']) - subprocess.call(["salt-key", salt_key_options, minion]) + wheel = salt.wheel.Wheel(__opts__) + wheel.call_func('key.delete', match=minion) else: salt.output.display_output(minion, '', __opts__) return ret
Use wheel to control salt keys in manage runner. Closes #<I>
diff --git a/discord/ext/commands/bot.py b/discord/ext/commands/bot.py index <HASH>..<HASH> 100644 --- a/discord/ext/commands/bot.py +++ b/discord/ext/commands/bot.py @@ -284,7 +284,7 @@ class Bot(GroupMixin, discord.Client): See Also --------- - :meth:`Client.sned_file` + :meth:`Client.send_file` """ destination = _get_variable('_internal_channel') result = yield from self.send_file(destination, *args, **kwargs)
[commands] Fix typo in Bot.upload docstring.
diff --git a/Config/AsseticResource.php b/Config/AsseticResource.php index <HASH>..<HASH> 100644 --- a/Config/AsseticResource.php +++ b/Config/AsseticResource.php @@ -47,4 +47,29 @@ class AsseticResource implements SymfonyResourceInterface { return $this->resource; } + + public function exists() + { + return true; + } + + public function getId() + { + return md5('assetic'.$this->resource); + } + + public function getModificationTime() + { + return -1; + } + + public function serialize() + { + return serialize($this->resource); + } + + public function unserialize($serialized) + { + $this->resource = unserialize($serialized); + } }
Updated the AsseticResource to the new interface Closes #<I>
diff --git a/src/test/java/com/github/greengerong/PrerenderConfigTest.java b/src/test/java/com/github/greengerong/PrerenderConfigTest.java index <HASH>..<HASH> 100644 --- a/src/test/java/com/github/greengerong/PrerenderConfigTest.java +++ b/src/test/java/com/github/greengerong/PrerenderConfigTest.java @@ -1,12 +1,17 @@ package com.github.greengerong; +import org.apache.http.impl.client.CloseableHttpClient; import org.junit.Test; import java.util.HashMap; import java.util.Map; +import static org.hamcrest.core.Is.is; +import static org.hamcrest.core.IsNull.notNullValue; +import static org.junit.Assert.assertThat; + public class PrerenderConfigTest { - @Test(expected = NumberFormatException.class) + @Test(expected = Exception.class) public void should_throw_exception_if_invalid_timeout_value_specified() throws Exception { //given Map<String, String> configuration = new HashMap<String, String>(); @@ -23,6 +28,8 @@ public class PrerenderConfigTest { configuration.put("socketTimeout", "1000"); PrerenderConfig config = new PrerenderConfig(configuration); //when - config.getHttpClient(); + final CloseableHttpClient httpClient = config.getHttpClient(); + + assertThat(httpClient, is(notNullValue())); } }
[Tech] fix test, make the test to clean
diff --git a/rendering/test.js b/rendering/test.js index <HASH>..<HASH> 100755 --- a/rendering/test.js +++ b/rendering/test.js @@ -351,7 +351,7 @@ if (require.main === module) { option('headless', { describe: 'Launch Puppeteer in headless mode', type: 'boolean', - default: process.env.CI ? false : true + default: false }). option('puppeteer-args', { describe: 'Additional args for Puppeteer',
Avoid render test issues by not running Puppeteer in headless mode
diff --git a/src/test/java/water/fvec/FVecTest.java b/src/test/java/water/fvec/FVecTest.java index <HASH>..<HASH> 100644 --- a/src/test/java/water/fvec/FVecTest.java +++ b/src/test/java/water/fvec/FVecTest.java @@ -102,7 +102,7 @@ public class FVecTest extends TestUtil { File file = TestUtil.find_test_file("./smalldata/cars.csv"); Key key = NFSFileVec.make(file); NFSFileVec nfs=DKV.get(key).get(); - Vec res = new TestNewVec().doAll(1,nfs)._outputFrame.anyVec(); + Vec res = new TestNewVec().doAll(1,nfs).outputFrame(new String[]{"v"},new String[][]{null}).anyVec(); assertEquals(nfs.at8(0)+1,res.at8(0)); assertEquals(nfs.at8(1)+1,res.at8(1)); assertEquals(nfs.at8(2)+1,res.at8(2));
Udpated fvec test to work with updates in MRTask2
diff --git a/go/test/endtoend/onlineddl_vrepl_stress/onlineddl_vrepl_mini_stress_test.go b/go/test/endtoend/onlineddl_vrepl_stress/onlineddl_vrepl_mini_stress_test.go index <HASH>..<HASH> 100644 --- a/go/test/endtoend/onlineddl_vrepl_stress/onlineddl_vrepl_mini_stress_test.go +++ b/go/test/endtoend/onlineddl_vrepl_stress/onlineddl_vrepl_mini_stress_test.go @@ -173,7 +173,7 @@ func TestMain(m *testing.M) { Name: keyspaceName, } - if err := clusterInstance.StartUnshardedKeyspace(*keyspace, 2, true); err != nil { + if err := clusterInstance.StartUnshardedKeyspace(*keyspace, 0, false); err != nil { return 1, err } if err := clusterInstance.StartKeyspace(*keyspace, []string{"1"}, 1, false); err != nil {
no need for replicas, make test more lightweight
diff --git a/src/Linfo/Parsers/CallExt.php b/src/Linfo/Parsers/CallExt.php index <HASH>..<HASH> 100644 --- a/src/Linfo/Parsers/CallExt.php +++ b/src/Linfo/Parsers/CallExt.php @@ -64,7 +64,7 @@ class CallExt { // Merge in possible custom paths - if (isset(self::$settings['additional_paths']) && + if (array_key_exists('additional_paths', self::$settings) && is_array(self::$settings['additional_paths']) && count(self::$settings['additional_paths']) > 0) {
Resolves #<I> the right way (#<I>)
diff --git a/test/index.js b/test/index.js index <HASH>..<HASH> 100644 --- a/test/index.js +++ b/test/index.js @@ -158,10 +158,8 @@ main: if (failed) console.log('%d/%d tests failed.', failed, len); // Tests currently failing. - if (~failures.indexOf('def_blocks.text') - && ~failures.indexOf('double_link.text') - && ~failures.indexOf('gfm_code_hr_list.text')) { - failed -= 3; + if (~failures.indexOf('def_blocks.text')) { + failed -= 1; } return !failed;
[test] return proper exit code on tests passing.
diff --git a/src/main/java/water/fvec/Vec.java b/src/main/java/water/fvec/Vec.java index <HASH>..<HASH> 100644 --- a/src/main/java/water/fvec/Vec.java +++ b/src/main/java/water/fvec/Vec.java @@ -527,10 +527,11 @@ public class Vec extends Iced { Value dvec = chunkIdx(cidx); // Chunk# to chunk data Chunk c = dvec.get(); // Chunk data to compression wrapper long cstart = c._start; // Read once, since racily filled in - if( cstart == start ) return c; // Already filled-in + Vec v = c._vec; + if( cstart == start && v != null) return c; // Already filled-in assert cstart == -1; // Was not filled in (everybody racily writes the same start value) - c._start = start; // Fields not filled in by unpacking from Value c._vec = this; // Fields not filled in by unpacking from Value + c._start = start; // Fields not filled in by unpacking from Value return c; } /** The Chunk for a row#. Warning: this loads the data locally! */
Fixed race in Vec. getChunkForChunkIdx sets _start and _vec iff _tart == -1, but was setting _start before _vec and so there was a (really narrow) race where _start would be != -1 but _vec would still be null. did hit this race in RebalanceTask.
diff --git a/app/view/js/bolt-extend.js b/app/view/js/bolt-extend.js index <HASH>..<HASH> 100644 --- a/app/view/js/bolt-extend.js +++ b/app/view/js/bolt-extend.js @@ -247,7 +247,7 @@ var BoltExtender = Object.extend(Object, { var tpl = ""; for(var v in packages) { version = packages[v]; - tpl = tpl+'<tr><td>'+version.name+'</td><td>'+version.version+'</td><td><span class="label label-default"'; + tpl = tpl+'<tr><td>'+version.name+'</td><td>'+version.version+'</td><td><span class="label label-default'; if(version.buildStatus=='approved') tpl = tpl+' label-success'; tpl = tpl+'">'+version.buildStatus+'</span></td>'; tpl = tpl+'<td><div class="btn-group"><a href="#" data-action="install-package" class="btn btn-primary btn-sm" data-package="'+version.name+'" data-version="'+version.version+'">';
fix to nesting of attribues
diff --git a/controller/DeliveryMgmt.php b/controller/DeliveryMgmt.php index <HASH>..<HASH> 100755 --- a/controller/DeliveryMgmt.php +++ b/controller/DeliveryMgmt.php @@ -134,9 +134,15 @@ class DeliveryMgmt extends \tao_actions_SaSModule $this->getEventManager()->trigger(new DeliveryUpdatedEvent($delivery->getUri(), $propertyValues)); - $this->setData("selectNode", \tao_helpers_Uri::encode($delivery->getUri())); + $this->setData('selectNode', \tao_helpers_Uri::encode($delivery->getUri())); $this->setData('message', __('Delivery saved')); $this->setData('reload', true); + + $this->returnJson([ + 'success' => true, + 'message' => __('Delivery saved') + ]); + return; } $this->setData('label', $delivery->getLabel());
Updated form response to comply with uiForm intefration (for forms using CSRF validation)
diff --git a/database/factories/CustomerFactory.php b/database/factories/CustomerFactory.php index <HASH>..<HASH> 100644 --- a/database/factories/CustomerFactory.php +++ b/database/factories/CustomerFactory.php @@ -1,5 +1,5 @@ <?php -namespace Database\Factories; +namespace AvoRed\Database\Factories; use Illuminate\Database\Eloquent\Factories\Factory; use Faker\Generator as Faker; use AvoRed\Framework\Database\Models\Customer;
Update CustomerFactory.php
diff --git a/marklogic-client-api-functionaltests/src/test/java/com/marklogic/client/datamovement/functionaltests/QueryBatcherJobReportTest.java b/marklogic-client-api-functionaltests/src/test/java/com/marklogic/client/datamovement/functionaltests/QueryBatcherJobReportTest.java index <HASH>..<HASH> 100644 --- a/marklogic-client-api-functionaltests/src/test/java/com/marklogic/client/datamovement/functionaltests/QueryBatcherJobReportTest.java +++ b/marklogic-client-api-functionaltests/src/test/java/com/marklogic/client/datamovement/functionaltests/QueryBatcherJobReportTest.java @@ -607,8 +607,6 @@ public class QueryBatcherJobReportTest extends BasicJavaClientREST { System.out.println("stopTransformJobTest: Skipped: " + skippedBatch.size()); System.out.println("stopTransformJobTest : Value of doccount from DocumentManager read " + doccount); Assert.assertEquals(2000 - doccount, successBatch.size()); - // This should be the number of URI read (success count + any failed transform counts - Assert.assertEquals(2000 - (doccount + failureBatch.size()), successCount.get()); } }
No Task - Zero diff initiative. Removed changing count.
diff --git a/src/plugins/DragDrop.js b/src/plugins/DragDrop.js index <HASH>..<HASH> 100644 --- a/src/plugins/DragDrop.js +++ b/src/plugins/DragDrop.js @@ -1,4 +1,5 @@ -import TransloaditPlugin from './TransloaditPlugin'; +import TransloaditPlugin from '../plugins/TransloaditPlugin'; + export default class DragDrop extends TransloaditPlugin { constructor(core, opts) { super(core, opts); diff --git a/test.js b/test.js index <HASH>..<HASH> 100644 --- a/test.js +++ b/test.js @@ -1,6 +1,6 @@ -import Transloadit from './core/Transloadit'; -import DragDrop from './plugins/DragDrop'; -import Tus10 from './plugins/Tus10'; +import Transloadit from './src/core/Transloadit'; +import DragDrop from './src/plugins/DragDrop'; +import Tus10 from './src/plugins/Tus10'; const transloadit = new Transloadit({wait: false}); const files = transloadit
Resolved conflict, fixed test.js (kinda)
diff --git a/python/dllib/src/bigdl/dllib/utils/nest.py b/python/dllib/src/bigdl/dllib/utils/nest.py index <HASH>..<HASH> 100644 --- a/python/dllib/src/bigdl/dllib/utils/nest.py +++ b/python/dllib/src/bigdl/dllib/utils/nest.py @@ -18,7 +18,10 @@ import six def flatten(seq): if isinstance(seq, list): - return seq + results = [] + for item in seq: + results.extend(flatten(item)) + return results if isinstance(seq, tuple): seq = list(seq) @@ -29,7 +32,10 @@ def flatten(seq): if isinstance(seq, dict): sorted_keys = sorted(seq.keys()) - return [seq[v] for v in sorted_keys] + result = [] + for key in sorted_keys: + result.extend(flatten(seq[key])) + return result return [seq]
Follow up supporting DataFrame in TFDataset (#<I>) * Fix TFDataset.from_dataframe * clean up
diff --git a/scripts/plugins.js b/scripts/plugins.js index <HASH>..<HASH> 100644 --- a/scripts/plugins.js +++ b/scripts/plugins.js @@ -8,6 +8,7 @@ const filesize = require('rollup-plugin-filesize'); // const builtins = require('rollup-plugin-node-builtins') // const presetReact = require('babel-preset-react'); +const presetEnv = require('@babel/preset-env'); exports.getPlugins = ({ libs, minify, replace }) => { const plugins = []; @@ -47,7 +48,7 @@ exports.getPlugins = ({ libs, minify, replace }) => { // externalHelpers: true, // runtimeHelpers: true presets: [ - ['@babel/preset-env', { + [presetEnv, { useBuiltIns: 'usage', // 'entry' targets: { ie: 11 }, debug: false
fix babel preset env not found in project
diff --git a/bokeh/models/glyphs.py b/bokeh/models/glyphs.py index <HASH>..<HASH> 100644 --- a/bokeh/models/glyphs.py +++ b/bokeh/models/glyphs.py @@ -8,8 +8,8 @@ from __future__ import absolute_import from ..enums import Direction, Anchor from ..mixins import FillProps, LineProps, TextProps from ..plot_object import PlotObject -from ..properties import (abstract, AngleSpec, Any, Array, Bool, Dict, DistanceSpec, Enum, Float, - Include, Instance, NumberSpec, StringSpec, String, Int) +from ..properties import (abstract, AngleSpec, Bool, DistanceSpec, Enum, Float, + Include, Instance, NumberSpec, StringSpec) from .mappers import LinearColorMapper @@ -228,7 +228,7 @@ class Gear(Glyph): How many teeth the gears have. [int] """) - pressure_angle = NumberSpec(default=20, help= """ + pressure_angle = NumberSpec(default=20, help=""" The complement of the angle between the direction that the teeth exert force on each other, and the line joining the centers of the two gears. [deg]
fixed flake8 related issues in models/glyphs.py
diff --git a/hijack_admin/tests/test_checks.py b/hijack_admin/tests/test_checks.py index <HASH>..<HASH> 100644 --- a/hijack_admin/tests/test_checks.py +++ b/hijack_admin/tests/test_checks.py @@ -77,6 +77,7 @@ else: class CustomAdminSite(admin.AdminSite): pass + _default_site = admin.site admin.site = CustomAdminSite() admin.autodiscover() @@ -86,3 +87,4 @@ else: self.assertFalse(warnings) admin.site.unregister(get_user_model()) + admin.site = _default_site
Put back admin.site to default at the end of the test
diff --git a/test/run.py b/test/run.py index <HASH>..<HASH> 100755 --- a/test/run.py +++ b/test/run.py @@ -181,6 +181,8 @@ if not url_server_run([ [ 'api/uptime/', 200 ], [ 'favicon.ico', 304, { 'eTag': '8f471f65' } ], [ 'favicon.ico', 200, { 'eTag': 'deadbeef' } ], + # [ '/', 404 ], + # [ '/../', 404 ], # [ 'example/example.py', 404 ], TODO # [ 'example/', 304, { 'eTag': '???' } ], TODO ]):
add more potential tests that require fixing something in the server
diff --git a/benchexec/tools/symbiotic.py b/benchexec/tools/symbiotic.py index <HASH>..<HASH> 100644 --- a/benchexec/tools/symbiotic.py +++ b/benchexec/tools/symbiotic.py @@ -99,9 +99,27 @@ class Tool(OldSymbiotic): return False + def _timeoutReason(self, output): + lastphase = 'unknown' + for line in output: + if line.startswith('INFO: Starting instrumentation'): + lastphase='instrumentation' + elif line.startswith('INFO: Instrumentation time'): + lastphase='instr-finished' + elif line.startswith('INFO: Starting slicing'): + lastphase='slicing' + elif line.startswith('INFO: Total slicing time'): + lastphase='slicing-finished' + elif line.startswith('INFO: Starting verification'): + lastphase='verification' + elif line.startswith('INFO: Verification time'): + lastphase='verification-finished' + + return lastphase + def determine_result(self, returncode, returnsignal, output, isTimeout): if isTimeout: - return 'timeout' + return self._timeoutReason(output) if output is None: return 'error (no output)'
tools/symbiotic.py: give the place of timeouting Instead of 'TIMEOUT(timeout)' say something like 'TIMEOUT(instrumentation)'.
diff --git a/presto-main/src/main/java/com/facebook/presto/sql/planner/plan/Assignments.java b/presto-main/src/main/java/com/facebook/presto/sql/planner/plan/Assignments.java index <HASH>..<HASH> 100644 --- a/presto-main/src/main/java/com/facebook/presto/sql/planner/plan/Assignments.java +++ b/presto-main/src/main/java/com/facebook/presto/sql/planner/plan/Assignments.java @@ -164,6 +164,27 @@ public class Assignments return assignments.size(); } + @Override + public boolean equals(Object o) + { + if (this == o) { + return true; + } + if (o == null || getClass() != o.getClass()) { + return false; + } + + Assignments that = (Assignments) o; + + return assignments.equals(that.assignments); + } + + @Override + public int hashCode() + { + return assignments.hashCode(); + } + public static class Builder { private final Map<Symbol, Expression> assignments = new LinkedHashMap<>();
Add Assignments#equals() and Assignments#hashCode()
diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -12,8 +12,8 @@ setup( url = 'https://github.com/blakev/python-syncthing', license = 'The MIT License', install_requires = [ - 'python-dateutil==2.6.1', - 'requests==2.20.0' + 'python-dateutil==2.8.1', + 'requests==2.24.0' ], extras_require = { 'dev': [ @@ -41,6 +41,7 @@ setup( 'Programming Language :: Python :: 2.7', 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.7', + 'Programming Language :: Python :: 3.8', 'Topic :: System :: Archiving :: Mirroring' ], ) \ No newline at end of file
Bump deps, declare python <I> support
diff --git a/spyder/widgets/ipythonconsole/shell.py b/spyder/widgets/ipythonconsole/shell.py index <HASH>..<HASH> 100644 --- a/spyder/widgets/ipythonconsole/shell.py +++ b/spyder/widgets/ipythonconsole/shell.py @@ -37,7 +37,6 @@ class ShellWidget(NamepaceBrowserWidget, HelpWidget, DebuggingWidget): sig_namespace_view = Signal(object) sig_var_properties = Signal(object) sig_get_value = Signal() - sig_got_reply = Signal() # For DebuggingWidget sig_input_reply = Signal() @@ -47,6 +46,7 @@ class ShellWidget(NamepaceBrowserWidget, HelpWidget, DebuggingWidget): # For ShellWidget focus_changed = Signal() new_client = Signal() + sig_got_reply = Signal() def __init__(self, additional_options, interpreter_versions, *args, **kw): # To override the Qt widget used by RichJupyterWidget
IPython Console: Move a signal to the right place
diff --git a/clients/python/girder_client/__init__.py b/clients/python/girder_client/__init__.py index <HASH>..<HASH> 100644 --- a/clients/python/girder_client/__init__.py +++ b/clients/python/girder_client/__init__.py @@ -454,7 +454,7 @@ class GirderClient: **kwargs) # If success, return the json object. Otherwise throw an exception. - if result.status_code in (200, 201): + if result.ok: if jsonResp: return result.json() else:
girder_client: Test for response success with `result.ok`
diff --git a/src/adapt/toc.js b/src/adapt/toc.js index <HASH>..<HASH> 100644 --- a/src/adapt/toc.js +++ b/src/adapt/toc.js @@ -152,7 +152,7 @@ adapt.toc.TOCView.prototype.makeCustomRenderer = function(xmldoc) { }; /** - * @param {HTMLElement} elem + * @param {!HTMLElement} elem * @param {adapt.vgen.Viewport} viewport * @param {number} width * @param {number} height diff --git a/src/adapt/vtree.js b/src/adapt/vtree.js index <HASH>..<HASH> 100644 --- a/src/adapt/vtree.js +++ b/src/adapt/vtree.js @@ -80,7 +80,7 @@ adapt.vtree.makeListener = function(refs, action) { }; /** - * @param {HTMLElement} container + * @param {!HTMLElement} container * @constructor * @extends {adapt.base.SimpleEventTarget} */
Refine type annotation (add non-null constraint)
diff --git a/config/environments/production.rb b/config/environments/production.rb index <HASH>..<HASH> 100644 --- a/config/environments/production.rb +++ b/config/environments/production.rb @@ -100,6 +100,7 @@ Rails.application.configure do # Exception Notification config.middleware.use ExceptionNotification::Rack, + :ignore_crawlers => %w{Googlebot bingbot SeznamBot Baiduspider}, :email => { :email_prefix => "[Prezento Error] ", :sender_address => %{"mezurometrics" <mezurometrics@gmail.com>},
Ignore exceptions produced by crawlers
diff --git a/safe/impact_functions/earthquake/earthquake_building_impact.py b/safe/impact_functions/earthquake/earthquake_building_impact.py index <HASH>..<HASH> 100644 --- a/safe/impact_functions/earthquake/earthquake_building_impact.py +++ b/safe/impact_functions/earthquake/earthquake_building_impact.py @@ -30,7 +30,7 @@ class EarthquakeBuildingImpactFunction(FunctionProvider): ('medium_threshold', 7), ('high_threshold', 8), ('postprocessors', OrderedDict([ - ('AggregationCategorical', {'on': False})])) + ('AggregationCategorical', {'on': True})])) ]) def run(self, layers):
turned on aggregation categorical as default for eq building impact function
diff --git a/src/NestableTrait.php b/src/NestableTrait.php index <HASH>..<HASH> 100644 --- a/src/NestableTrait.php +++ b/src/NestableTrait.php @@ -1,7 +1,7 @@ <?php namespace Nestable; use Illuminate\Database\Eloquent\Collection; -use GC\Services\Nestable\NestableService; +use Nestable\Service\NestableService; trait NestableTrait { diff --git a/src/config/nestable.php b/src/config/nestable.php index <HASH>..<HASH> 100644 --- a/src/config/nestable.php +++ b/src/config/nestable.php @@ -0,0 +1,23 @@ +<?php + +return [ + 'parent'=> 'parent_id', + 'primary_key' => 'id', + 'cache' => false, + 'generate_url' => false, + 'childNode' => 'child', + 'body' => [ + 'id', + 'name', + 'slug', + ], + 'html' => [ + 'label' => 'name', + 'href' => 'slug' + ], + 'dropdown' => [ + 'prefix' => '', + 'label' => 'name', + 'value' => 'id' + ] +];
edited namespaces and config file
diff --git a/tests/test_plugin_parser.py b/tests/test_plugin_parser.py index <HASH>..<HASH> 100644 --- a/tests/test_plugin_parser.py +++ b/tests/test_plugin_parser.py @@ -26,8 +26,16 @@ def test_pathdirs(): def test_add_plugins(): path_dirs = PathDirs() + invalid_dirs = PathDirs(base_dir="/tmp/") + invalid2_dirs = PathDirs(plugin_repos="core/") plugin_parser.add_plugins(path_dirs, "https://github.com/CyberReboot/vent-plugins.git") + plugin_parser.add_plugins(invalid_dirs, "https://github.com/CyberReboot/vent-plugins.git") + plugin_parser.add_plugins(path_dirs, "test") + plugin_parser.add_plugins(path_dirs, "") + plugin_parser.add_plugins(invalid2_dirs, "https://github.com/template-change") def test_remove_plugins(): path_dirs = PathDirs() + invalid_dirs = PathDirs(base_dir="/tmp/") plugin_parser.remove_plugins(path_dirs, "https://github.com/CyberReboot/vent-plugins.git") + plugin_parser.remove_plugins(invalid_dirs, "vent-plugins")
Some more tests to increase coverage for plugin_parser: add/remove
diff --git a/js/chrome/beta.js b/js/chrome/beta.js index <HASH>..<HASH> 100644 --- a/js/chrome/beta.js +++ b/js/chrome/beta.js @@ -15,5 +15,18 @@ this.active = localStorage.getItem('beta') == 'true' || false; if (this.active) this.on(); + this.home = function (name) { + jsbin.settings.home = name; // will save later + + // cookie is required to share with the server so we can do a redirect on new bin + var date = new Date(); + date.setTime(date.getTime()+(365*24*60*60*1000)); // set for a year + document.cookie = 'home=' + name + '; expires=' + date.toGMTString() + ' path=/'; + + if (location.pathname == '/') { + location.reload(); + } + }; + //= require "stream" }).call(jsbin); \ No newline at end of file
Coming support for personalisation of bins saved.
diff --git a/src/Role.php b/src/Role.php index <HASH>..<HASH> 100644 --- a/src/Role.php +++ b/src/Role.php @@ -41,6 +41,39 @@ final class Role { // const XXX = 268435456; // const XXX = 536870912; + /** + * Returns an array mapping the numerical role values to their descriptive names + * + * @return array + */ + public static function getMap() { + $reflectionClass = new \ReflectionClass(static::class); + + return \array_flip($reflectionClass->getConstants()); + } + + /** + * Returns the descriptive role names + * + * @return string[] + */ + public static function getNames() { + $reflectionClass = new \ReflectionClass(static::class); + + return \array_keys($reflectionClass->getConstants()); + } + + /** + * Returns the numerical role values + * + * @return int[] + */ + public static function getValues() { + $reflectionClass = new \ReflectionClass(static::class); + + return \array_values($reflectionClass->getConstants()); + } + private function __construct() {} }
Implement methods 'getMap', 'getNames' and 'getValues' in class 'Role'
diff --git a/benchexec/containerexecutor.py b/benchexec/containerexecutor.py index <HASH>..<HASH> 100644 --- a/benchexec/containerexecutor.py +++ b/benchexec/containerexecutor.py @@ -386,7 +386,8 @@ class ContainerExecutor(baseexecutor.BaseExecutor): """ assert self._use_namespaces - env.update(self._env_override) + if root_dir is None: + env.update(self._env_override) args = self._build_cmdline(args, env=env)
Change env to only update its 'home'-value when no root dir is provided
diff --git a/picoweb/__init__.py b/picoweb/__init__.py index <HASH>..<HASH> 100644 --- a/picoweb/__init__.py +++ b/picoweb/__init__.py @@ -74,6 +74,8 @@ class WebApp: else: self.pkg = "" if static: + if self.pkg: + static = self.pkg + "/" + static self.url_map.append((re.compile("^/static(/.+)"), lambda req, resp: (yield from sendfile(resp, static + req.url_match.group(1))))) self.mounts = []
Include package path in static folder path.
diff --git a/src/Filter/FilterUrlBuilder.php b/src/Filter/FilterUrlBuilder.php index <HASH>..<HASH> 100644 --- a/src/Filter/FilterUrlBuilder.php +++ b/src/Filter/FilterUrlBuilder.php @@ -454,7 +454,7 @@ class FilterUrlBuilder foreach ($request->request->all() as $name => $value) { if (is_array($value)) { - $value = implode(',', array_filter($value)); + $value = implode(',', $value); } if (in_array($name, $options['postAsSlug'])) { $filterUrl->setSlug($name, $value);
Do not filter empty values Range and from/to will not work otherwise
diff --git a/ui/src/shared/components/Notifications.js b/ui/src/shared/components/Notifications.js index <HASH>..<HASH> 100644 --- a/ui/src/shared/components/Notifications.js +++ b/ui/src/shared/components/Notifications.js @@ -2,7 +2,7 @@ import React from 'react' import PropTypes from 'prop-types' import {connect} from 'react-redux' -import Notification from 'src/shared/components/Notification' +import Notification from 'shared/components/Notification' const Notifications = ({notifications, inPresentationMode}) => <div
Replace reference to src/shared/ with shared/
diff --git a/docs/sphinx_util.py b/docs/sphinx_util.py index <HASH>..<HASH> 100644 --- a/docs/sphinx_util.py +++ b/docs/sphinx_util.py @@ -35,6 +35,13 @@ def build_scala_docs(root_path): for doc_file in scaladocs: subprocess.call('cd ' + scala_path + ';mv ' + doc_file + ' ' + dest_path, shell = True) +def convert_md_phase(phase): + try: + import pypandoc + except: + return phase + return pypandoc.convert(phase, 'rst', format='md') + def build_table(table): if len(table) < 3: return '' @@ -56,7 +63,7 @@ def build_table(table): out += ' * - ' else: out += ' - ' - out += c + '\n' + out += convert_md_phase(c)+ '\n' out += '```\n' return out @@ -91,7 +98,6 @@ def convert_md_table(root_path): print 'converted %d tables in %s' % (num_table, f) with codecs.open(f, 'w', 'utf-8') as i: i.write(output) - print len(files) subprocess.call('./build-notebooks.sh')
[docs] also convert md sentencies in a table into rst (#<I>)
diff --git a/spec/apn/jobs_spec.rb b/spec/apn/jobs_spec.rb index <HASH>..<HASH> 100644 --- a/spec/apn/jobs_spec.rb +++ b/spec/apn/jobs_spec.rb @@ -7,6 +7,7 @@ if defined? Sidekiq it { should be_a(Sidekiq::Worker) } it "has the right queue name" do + pending expect(subject.class.instance_variable_get(:@queue)).to eq(APN::Jobs::QUEUE_NAME) end end
mark broken test as pending for now