diff
stringlengths
65
26.7k
message
stringlengths
7
9.92k
diff --git a/tests/Behat/Mink/Driver/web-fixtures/cookie_page1.php b/tests/Behat/Mink/Driver/web-fixtures/cookie_page1.php index <HASH>..<HASH> 100644 --- a/tests/Behat/Mink/Driver/web-fixtures/cookie_page1.php +++ b/tests/Behat/Mink/Driver/web-fixtures/cookie_page1.php @@ -1,5 +1,5 @@ <?php - setcookie('srvr_cookie', 'srv_var_is_set'); + setcookie('srvr_cookie', 'srv_var_is_set', null, '/'); ?> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="ru">
Set cookie to `/` path to please headless drivers
diff --git a/lib/core/validation/validators/email.js b/lib/core/validation/validators/email.js index <HASH>..<HASH> 100644 --- a/lib/core/validation/validators/email.js +++ b/lib/core/validation/validators/email.js @@ -14,6 +14,7 @@ ngModule.factory('avValEmail', avValPattern => { validate(context) { + context.constraint = context.constraint || {}; context.constraint.value = EMAIL_PATTERN; return avValPattern.validate(context); diff --git a/lib/core/validation/validators/phone.js b/lib/core/validation/validators/phone.js index <HASH>..<HASH> 100644 --- a/lib/core/validation/validators/phone.js +++ b/lib/core/validation/validators/phone.js @@ -13,6 +13,7 @@ ngModule.factory('avValPhone', avValPattern => { } validate(context) { + context.constraint = context.contraint || {}; context.constraint.value = PHONE_PATTERN; return avValPattern.validate(context); }
create new contraint object when missing from validate
diff --git a/lib/Condorcet/Condorcet.php b/lib/Condorcet/Condorcet.php index <HASH>..<HASH> 100644 --- a/lib/Condorcet/Condorcet.php +++ b/lib/Condorcet/Condorcet.php @@ -1058,6 +1058,6 @@ class Condorcet // Interface with the aim of verifying the good modular implementation of algorithms. interface Condorcet_Algo { - public function getResult(); + public function getResult($options); public function getStats(); }
Update interface for <I> modular algorithms
diff --git a/tests/src/test/java/alluxio/collections/IndexedSetConcurrencyTest.java b/tests/src/test/java/alluxio/collections/IndexedSetConcurrencyTest.java index <HASH>..<HASH> 100644 --- a/tests/src/test/java/alluxio/collections/IndexedSetConcurrencyTest.java +++ b/tests/src/test/java/alluxio/collections/IndexedSetConcurrencyTest.java @@ -378,7 +378,7 @@ public class IndexedSetConcurrencyTest { } @Test - public void concurrentAddTest() throws Exception { + public void concurrentAdd() throws Exception { List<Future<?>> futures = new ArrayList<>(); // Add random number of each task type.
[ALLUXIO-<I>] remote one unnecessary 'Test' suffix
diff --git a/lib/handlers/upgrade.js b/lib/handlers/upgrade.js index <HASH>..<HASH> 100644 --- a/lib/handlers/upgrade.js +++ b/lib/handlers/upgrade.js @@ -410,7 +410,9 @@ upgrade.processPayment = function (req, res, next) { return getCustomerByUser(req.session.user).then(function (results) { var result = results[0]; debug('.then, stripe.customers.retrieve(%s)', result.stripe_id); // jshint ignore:line - return stripe.customers.retrieve(result.stripe_id).catch(function (err) { + return stripe.customers.update(result.stripe_id, { + source: stripSubscriptionData.card + }).catch(function (err) { // failed to subscribe existing user to stripe metrics.increment('upgrade.fail.existing-user-change-subscription'); console.error('upgrade.fail.existing-user-change-subscription');
fix: fail to re-upgrade Fixes: #<I> Fixes: #<I> Fixes: #<I> Fixes: #<I> Fixes: #<I> Fixes: #<I> This was existing users that had customer records, but Stripe was using their original card details upon resubscribing. This fix updates their profile with the card that they just entered.
diff --git a/spec/vcr/library_hooks/typhoeus_0.4_spec.rb b/spec/vcr/library_hooks/typhoeus_0.4_spec.rb index <HASH>..<HASH> 100644 --- a/spec/vcr/library_hooks/typhoeus_0.4_spec.rb +++ b/spec/vcr/library_hooks/typhoeus_0.4_spec.rb @@ -16,7 +16,7 @@ describe "Typhoeus 0.4 hook", :with_monkey_patches => :typhoeus_0_4 do def directly_stub_request(method, url, response_body) response = ::Typhoeus::Response.new(:code => 200, :body => response_body) - allow(::Typhoeus::Hydra).to receive(method, url).and_return(response) + ::Typhoeus::Hydra.stub(method, url).and_return(response) end it_behaves_like 'a hook into an HTTP library', :typhoeus, 'typhoeus 0.4'
This was Typhoeus::Hydra.stub, not rspec's stub.
diff --git a/lib/brainstem/presenter_collection.rb b/lib/brainstem/presenter_collection.rb index <HASH>..<HASH> 100644 --- a/lib/brainstem/presenter_collection.rb +++ b/lib/brainstem/presenter_collection.rb @@ -279,15 +279,11 @@ module Brainstem end extracted_filters = extract_filters(options) - extracted_filters.each do |key, val| - if val[:arg].nil? - extracted_filters.delete(key) - else - extracted_filters[key] = val[:arg] - end + extracted_filters_for_search = extracted_filters.each.with_object({}) do |(key, val), hash| + hash[key] = val[:arg] unless val[:arg].nil? end - search_options.reverse_merge!(extracted_filters) + search_options.reverse_merge!(extracted_filters_for_search) result_ids, count = options[:presenter].search_block.call(options[:params][:search], search_options) if result_ids
use .each.with_object for extracted_filters_for_search
diff --git a/flink-runtime/src/main/java/org/apache/flink/runtime/io/network/partition/SortMergeResultPartition.java b/flink-runtime/src/main/java/org/apache/flink/runtime/io/network/partition/SortMergeResultPartition.java index <HASH>..<HASH> 100644 --- a/flink-runtime/src/main/java/org/apache/flink/runtime/io/network/partition/SortMergeResultPartition.java +++ b/flink-runtime/src/main/java/org/apache/flink/runtime/io/network/partition/SortMergeResultPartition.java @@ -317,7 +317,6 @@ public class SortMergeResultPartition extends ResultPartition { availabilityListener, resultFile); readers.add(reader); - availabilityListener.notifyDataAvailable(); return reader; }
[hotfix][network] Remove redundant data availability notification in SortMergeResultPartition Remove redundant data availability notification in SortMergeResultPartition for FLINK-<I> has moved the notification to the requester. This closes #<I>.
diff --git a/plugins/inputs/sysstat/sysstat.go b/plugins/inputs/sysstat/sysstat.go index <HASH>..<HASH> 100644 --- a/plugins/inputs/sysstat/sysstat.go +++ b/plugins/inputs/sysstat/sysstat.go @@ -122,7 +122,7 @@ func (s *Sysstat) collect(tempfile string) error { collectInterval := s.interval - parseInterval // If true, interval is not defined yet and Gather is run for the first time. - if collectInterval < 0 { + if collectInterval <= 0 { collectInterval = 1 // In that case we only collect for 1 second. }
fix: avoid calling sadc with invalid 0 interval (#<I>)
diff --git a/web/ext/base/handler.py b/web/ext/base/handler.py index <HASH>..<HASH> 100644 --- a/web/ext/base/handler.py +++ b/web/ext/base/handler.py @@ -13,7 +13,7 @@ from webob import Response from web.core.compat import str, unicode -__all__ = ['serve', 'response', 'textual', 'empty', 'wsgi'] +__all__ = ['serve', 'response', 'textual', 'generator', 'empty', 'wsgi'] log = __import__('logging').getLogger(__name__) @@ -70,13 +70,11 @@ def textual(context, result): return True -#@kinds(types.GeneratorType, collections.Iterable) -#def primary(context, result): -# if isinstance(result, (tuple, dict)): -# return False -# -# context.response.body = result -# return True +@kinds(types.GeneratorType) +def generator(context, result): + context.response.encoding = 'utf8' + context.response.app_iter = ((i.encode('utf8') if isinstance(i, unicode) else i) for i in result if i is not None) + return True @kinds(type(None))
Added iterable return type support back, to support direct use of cinje.
diff --git a/fun-stream.js b/fun-stream.js index <HASH>..<HASH> 100644 --- a/fun-stream.js +++ b/fun-stream.js @@ -17,7 +17,10 @@ class FunStream { return this } pipe (into, opts) { - this.on('error', (err, stream) => into.emit('error', err, stream || this)) + this.on('error', err => { + if (err.src === undefined) err.src = this + into.emit('error', err) + }) return mixinFun(super.pipe(into, opts), this[OPTS]) } filter (filterWith, opts) { @@ -114,7 +117,10 @@ function mixinFun (stream, opts) { const originalPipe = obj.pipe obj.pipe = function (into, opts) { - this.on('error', (err, stream) => into.emit('error', err, stream || this)) + this.on('error', err => { + if (err.src === undefined) err.src = this + into.emit('error', err) + }) return mixinFun(originalPipe.call(this, into, opts), this[OPTS]) } return obj
Record which stream originally emitted an error
diff --git a/lib/nugrant/bag.rb b/lib/nugrant/bag.rb index <HASH>..<HASH> 100644 --- a/lib/nugrant/bag.rb +++ b/lib/nugrant/bag.rb @@ -9,6 +9,14 @@ module Nugrant end end + def method_missing(method, *args, &block) + return self[method] + end + + ## + ### Hash Overriden Methods (for string & symbol indifferent access) + ## + def [](input) key = __convert_key(input) raise KeyError, "Undefined parameter '#{key}'" if not key?(key) @@ -20,8 +28,8 @@ module Nugrant super(__convert_key(input), value) end - def method_missing(method, *args, &block) - return self[method] + def key?(key) + super(__convert_key(key)) end ##
Changed a bit Bag * Overidde key? for indifferent access (symbol or string). Will explore 'insensitive_hash' eventually.
diff --git a/myql/myql.py b/myql/myql.py index <HASH>..<HASH> 100755 --- a/myql/myql.py +++ b/myql/myql.py @@ -108,9 +108,9 @@ class YQL(object): '''Formats conditions args is a list of ['column', 'operator', 'value'] ''' - if cond[1].lower() == 'in': - if len(cond[2]) > 1: + #if len(cond[2]) > 1: + if not isinstance(cond[2], str): cond[2] = "({0})".format(','.join(map(str,["'{0}'".format(e) for e in cond[2]]))) else: cond[2] = "({0})".format(','.join(map(str,["{0}".format(e) for e in cond[2]])))
fix #<I>: handling of one symbol OK
diff --git a/screen_widgets.go b/screen_widgets.go index <HASH>..<HASH> 100644 --- a/screen_widgets.go +++ b/screen_widgets.go @@ -7,6 +7,7 @@ type TextSize struct { type TileDef struct { Events []TileDefEvent `json:"events,omitempty"` + Markers []TimeseriesMarker `json:"markers,omitempty"` Requests []TimeseriesRequest `json:"requests,omitempty"` Viz string `json:"viz,omitempty"` } @@ -22,6 +23,12 @@ type TimeseriesRequestStyle struct { Palette string `json:"palette,omitempty"` } +type TimeseriesMarker struct { + Label string `json:"label,omitempty"` + Type string `json:"type,omitempty"` + Value string `json:"value,omitempty"` +} + type TileDefEvent struct { Query string `json:"q"` }
Add markers to timeseries widgets
diff --git a/salt/cloud/__init__.py b/salt/cloud/__init__.py index <HASH>..<HASH> 100644 --- a/salt/cloud/__init__.py +++ b/salt/cloud/__init__.py @@ -194,7 +194,9 @@ class CloudClient(object): opts['show_deploy_args'] = False opts['script_args'] = '' # Update it with the passed kwargs - opts.update(kwargs['kwargs']) + if 'kwargs' in kwargs: + opts.update(kwargs['kwargs']) + opts.update(kwargs) return opts def low(self, fun, low): diff --git a/salt/runners/cloud.py b/salt/runners/cloud.py index <HASH>..<HASH> 100644 --- a/salt/runners/cloud.py +++ b/salt/runners/cloud.py @@ -133,6 +133,10 @@ def create(provider, names, **kwargs): image=ami-1624987f size='Micro Instance' ssh_username=ec2-user \ securitygroup=default delvol_on_destroy=True ''' + create_kwargs = {} + for kwarg in kwargs: + if not kwarg.startswith('__'): + create_kwargs[kwarg] = kwargs[kwarg] client = _get_client() - info = client.create(provider, names, **kwargs) + info = client.create(provider, names, **create_kwargs) return info
Fixing passing kwargs in cloud.create runner
diff --git a/spec/lib/aixm/document_spec.rb b/spec/lib/aixm/document_spec.rb index <HASH>..<HASH> 100644 --- a/spec/lib/aixm/document_spec.rb +++ b/spec/lib/aixm/document_spec.rb @@ -1815,7 +1815,7 @@ describe AIXM::Document do AIXM.config.mid = true _(subject.to_xml).must_equal <<~"END" <?xml version="1.0" encoding="UTF-8"?> - <OFMX-Snapshot xmlns:xsi="http://schema.openflightmaps.org/0/OFMX-Snapshot.xsd" version="0" origin="rubygem aixm-0.3.9" namespace="00000000-0000-0000-0000-000000000000" created="2018-01-01T12:00:00+01:00" effective="2018-01-01T12:00:00+01:00"> + <OFMX-Snapshot xmlns:xsi="http://schema.openflightmaps.org/0/OFMX-Snapshot.xsd" version="0" origin="rubygem aixm-#{AIXM::VERSION}" namespace="00000000-0000-0000-0000-000000000000" created="2018-01-01T12:00:00+01:00" effective="2018-01-01T12:00:00+01:00"> <!-- Organisation: FRANCE --> <Org source="LF|GEN|0.0 FACTORY|0|0"> <OrgUid region="LF" mid="971ba0a9-3714-12d5-d139-d26d5f1d6f25">
Fix hard coded origin version in document spec
diff --git a/src/Version.php b/src/Version.php index <HASH>..<HASH> 100644 --- a/src/Version.php +++ b/src/Version.php @@ -49,7 +49,7 @@ final class Version } $parts = explode(' ', static::VERSION, 2); - $version = $parts[0] . '@' . $parts[1]; + $version = $parts[0] . '-' . $parts[1]; $version = str_replace(' ', '', strtolower($version)); return $version;
Change the separator for Composer versions
diff --git a/spec/cobweb/cobweb_spec.rb b/spec/cobweb/cobweb_spec.rb index <HASH>..<HASH> 100644 --- a/spec/cobweb/cobweb_spec.rb +++ b/spec/cobweb/cobweb_spec.rb @@ -3,12 +3,8 @@ require File.expand_path(File.dirname(__FILE__) + '/../spec_helper') describe Cobweb do before(:each) do - @base_url = "http://www.baseurl.com/" - @cobweb = Cobweb.new :quiet => true, :cache => nil - - end it "should generate a cobweb object" do
commit to trigger travisci
diff --git a/services/modules/ips4/manager.py b/services/modules/ips4/manager.py index <HASH>..<HASH> 100644 --- a/services/modules/ips4/manager.py +++ b/services/modules/ips4/manager.py @@ -48,7 +48,7 @@ class Ips4Manager: @staticmethod def _gen_pwhash(password): - return bcrypt.encrypt(password.encode('utf-8'), rounds=13) + return bcrypt.using(ident='2a').encrypt(password.encode('utf-8'), rounds=13) @staticmethod def _get_salt(pw_hash):
Force bcrypt version 2a Insecure, but 2b is not supported by IPS4 according to user reports. This manager needs to be changed to use the IPS4 API at some point anyway, so really a stop gap measure.
diff --git a/lib/tabulo/table.rb b/lib/tabulo/table.rb index <HASH>..<HASH> 100644 --- a/lib/tabulo/table.rb +++ b/lib/tabulo/table.rb @@ -237,9 +237,7 @@ module Tabulo return self if column_registry.none? columns = column_registry.values - columns.each do |column| - column.width = wrapped_width(column.header) - end + columns.each { |column| column.width = wrapped_width(column.header) } @sources.each do |source| columns.each do |column|
Very minor tweak This addresses one of the Code Climate "code smells".
diff --git a/gtabview/viewer.py b/gtabview/viewer.py index <HASH>..<HASH> 100644 --- a/gtabview/viewer.py +++ b/gtabview/viewer.py @@ -67,7 +67,8 @@ class Header4ExtModel(QtCore.QAbstractTableModel): return QtCore.Qt.AlignRight | QtCore.Qt.AlignVCenter if role != QtCore.Qt.DisplayRole: return None - return section if self.axis == (orientation - 1) else \ + orient_axis = 0 if orientation == QtCore.Qt.Horizontal else 1 + return section if self.axis == orient_axis else \ self.model.name(self.axis, section) def data(self, index, role): @@ -134,7 +135,7 @@ class Level4ExtModel(QtCore.QAbstractTableModel): elif role == QtCore.Qt.BackgroundRole: return self._background elif role == QtCore.Qt.BackgroundRole: - return self._palette.background() + return self._palette.window() return None
Fix Viewer when used with PySide
diff --git a/spec/art-decomp/fsm_spec.rb b/spec/art-decomp/fsm_spec.rb index <HASH>..<HASH> 100644 --- a/spec/art-decomp/fsm_spec.rb +++ b/spec/art-decomp/fsm_spec.rb @@ -147,6 +147,7 @@ module ArtDecomp describe FSM do @mc.input_relevance.should == [nil, nil, 2, 1, 0] @opus.input_relevance.should == [nil, nil, nil, nil, 2, 3, 4, 0, 1] @s8.input_relevance.should == [3, 2, 1, 0, nil, nil, nil] + @tt.input_relevance.should == [1, 3, 2] end it 'should report whether it’s a truth table or a full-blown FSM' do
make sure FSM#input_relevance also works for truth tables
diff --git a/lib/vestal_versions/version.rb b/lib/vestal_versions/version.rb index <HASH>..<HASH> 100644 --- a/lib/vestal_versions/version.rb +++ b/lib/vestal_versions/version.rb @@ -9,6 +9,7 @@ module VestalVersions # Associate polymorphically with the parent record. belongs_to :versioned, :polymorphic => true + attr_accessible :modifications, :number, :user, :tag, :reverted_from # ActiveRecord::Base#changes is an existing method, so before serializing the +changes+ column, # the existing +changes+ method is undefined. The overridden +changes+ method pertained to
adding whitelist attributes for active record <I>
diff --git a/src/Repositories/Corporation/Extractions.php b/src/Repositories/Corporation/Extractions.php index <HASH>..<HASH> 100644 --- a/src/Repositories/Corporation/Extractions.php +++ b/src/Repositories/Corporation/Extractions.php @@ -38,7 +38,7 @@ trait Extractions { // retrieve any valid extraction for the current corporation return CorporationIndustryMiningExtraction::with( - 'moon', 'moon.system', 'moon.constellation', 'moon.region', 'moon.moon_contents', 'moon.moon_contents.type', + 'moon', 'moon.system', 'moon.constellation', 'moon.region', 'moon.moon_content', 'structure', 'structure.info', 'structure.services') ->where('corporation_id', $corporation_id) ->where('natural_decay_time', '>', carbon()->subSeconds(CorporationIndustryMiningExtraction::THEORETICAL_DEPLETION_COUNTDOWN))
refactor(moons): simplify relationships use pivot instead complex dependencies for moon_content, materials and reactions.
diff --git a/addon/mixins/imgix-path-behavior.js b/addon/mixins/imgix-path-behavior.js index <HASH>..<HASH> 100644 --- a/addon/mixins/imgix-path-behavior.js +++ b/addon/mixins/imgix-path-behavior.js @@ -143,6 +143,9 @@ export default Ember.Mixin.create({ * @method _incrementResizeCounter */ _incrementResizeCounter: function () { + if( this.get('isDestroyed') || this.get('isDestroying') ) { + return; + } this.incrementProperty('_resizeCounter'); },
the debounced call doesn't guarentee the object will still be undestroyed, and can't set properties of destroyed objects
diff --git a/index.js b/index.js index <HASH>..<HASH> 100644 --- a/index.js +++ b/index.js @@ -68,6 +68,7 @@ function verifyChallenge (challenge, state) { return null state.remote.kx_pk = remote_pk + state.remote.app_mac = mac state.secret = shared(state.local.kx_sk, state.remote.kx_pk) state.shash = hash(state.secret)
remember the app_mac so it can be used as the nonce for the bulk encryption
diff --git a/lib/dust-helpers.js b/lib/dust-helpers.js index <HASH>..<HASH> 100644 --- a/lib/dust-helpers.js +++ b/lib/dust-helpers.js @@ -229,6 +229,7 @@ var helpers = { * @param key is the value to perform math against * @param method is the math method, is a valid string supported by math helper like mod, add, subtract * @param operand is the second value needed for operations like mod, add, subtract, etc. + * @param round is a flag to assure that an integer is returned */ "math": function ( chunk, context, bodies, params ) { //key and method are required for further processing
Updated comments to include reference to round parameter for the math helper
diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -11,6 +11,7 @@ from os import listdir from os.path import isfile, join import re import logging +import sys from setuptools import setup, find_packages logging.basicConfig(level=logging.WARNING) @@ -40,6 +41,13 @@ tests_require = [ extras_require["test"] = tests_require +# Check for 'pytest-runner' only if setup.py was invoked with 'test'. +# This optimizes setup.py for cases when pytest-runner is not needed, +# using the approach that is suggested upstream. +# +# See https://pypi.org/project/pytest-runner/#conditional-requirement +needs_pytest = {"pytest", "test", "ptr"}.intersection(sys.argv) +pytest_runner = ["pytest-runner"] if needs_pytest else [] setup( # Description @@ -96,7 +104,7 @@ setup( 'windows-curses;platform_system=="Windows"', "filelock", ], - setup_requires=["pytest-runner"], + setup_requires=pytest_runner, extras_require=extras_require, tests_require=tests_require, )
setup.py: require pytest-runner only when necessary (#<I>) This optimizes setup.py for cases when pytest-runner is not needed, using the approach that is suggested upstream: <URL>
diff --git a/test/exec-errors.js b/test/exec-errors.js index <HASH>..<HASH> 100644 --- a/test/exec-errors.js +++ b/test/exec-errors.js @@ -24,7 +24,6 @@ suite.addBatch({ 'a `ChildProcess` object is returned': childProcessTest, 'an error is sent to the callback': function(childProcess, err, stdout) { assert(err); - assert.equal(err.toString(), 'Error: spawn nonexistant ENOENT'); }, 'the result is the null string': function(childProcess, err, stdout) { assert.equal(stdout, '');
Don't test the error string of exec errors These errors are generated directly by the Node.js runtime and passed on unchanged. Making assertions about their contents is needlessly coupling things to implementation, doesn't give us anything, and in fact actively harms us because the fact that the error text varies across Node versions causes CI failures. Therefore, remove the relevant assertion.
diff --git a/gwpy/timeseries/io/gwf/framecpp.py b/gwpy/timeseries/io/gwf/framecpp.py index <HASH>..<HASH> 100644 --- a/gwpy/timeseries/io/gwf/framecpp.py +++ b/gwpy/timeseries/io/gwf/framecpp.py @@ -21,6 +21,8 @@ from __future__ import division +from math import ceil + from six import PY2 import numpy @@ -200,7 +202,7 @@ def read_gwf(framefile, channels, start=None, end=None, ctype=None, dimend = dimstart + arr.size * dx a = int(max(0., float(start-dimstart)) / dx) if end: - b = arr.size - int(max(0., float(dimend-end)) / dx) + b = int(arr.size - ceil(max(0., float(dimend-end)) / dx)) else: b = None # if file only has ony frame, error on overlap problems
timeseries.io.gwf.framecpp: fixed rounding error need to round array sample index down (not up)
diff --git a/bfg9000/build_inputs.py b/bfg9000/build_inputs.py index <HASH>..<HASH> 100644 --- a/bfg9000/build_inputs.py +++ b/bfg9000/build_inputs.py @@ -2,10 +2,7 @@ from . import path from . import utils class Node(object): - install_root = path.Path.basedir - - def __init__(self, name, source): - self.path = path.Path(name, source, self.install_root) + def __init__(self): self.creator = None def __repr__(self): @@ -14,14 +11,19 @@ class Node(object): ) class File(Node): - pass + install_root = path.Path.basedir + + def __init__(self, name, source): + Node.__init__(self) + self.path = path.Path(name, source, self.install_root) class Directory(File): pass class Phony(Node): def __init__(self, name): - Node.__init__(self, name, path.Path.builddir) + Node.__init__(self) + self.path = name class Edge(object): def __init__(self, target, extra_deps=None):
Move the Path constructor from Nodes to Files Now, Phony objects' path attribute is just a string, since they don't actually refer to things with paths anyway.
diff --git a/src/helpers.php b/src/helpers.php index <HASH>..<HASH> 100644 --- a/src/helpers.php +++ b/src/helpers.php @@ -25,7 +25,7 @@ if (!function_exists('asset')) { */ function asset(string $path = null): string { - return sprintf('%s/%s', get_template_directory_uri(), ltrim($path, '/')); + return sprintf('%s/%s', get_stylesheet_directory_uri(), ltrim($path, '/')); } } @@ -87,7 +87,7 @@ if (!function_exists('mix')) { $manifestDirectory = "/{$manifestDirectory}"; } - if (file_exists(template_path($manifestDirectory.'/hot'))) { + if (file_exists(stylesheet_path($manifestDirectory.'/hot'))) { return new HtmlString("//localhost:8080{$path}"); }
Make asset() and mix() read from child theme instead
diff --git a/lib/active_record/connection_adapters/jdbc_adapter.rb b/lib/active_record/connection_adapters/jdbc_adapter.rb index <HASH>..<HASH> 100644 --- a/lib/active_record/connection_adapters/jdbc_adapter.rb +++ b/lib/active_record/connection_adapters/jdbc_adapter.rb @@ -74,7 +74,9 @@ module JdbcSpec alias :#{meth}_pre_pk :#{meth} def #{meth}(include_primary_key = true, *args) #:nodoc: aq = #{meth}_pre_pk(include_primary_key, *args) - aq[#{pk_hash_key}] = #{pk_hash_value} if include_primary_key && aq[#{pk_hash_key}].nil? + if connection.is_a?(JdbcSpec::Oracle) || connection.is_a?(JdbcSpec::Mimer) + aq[#{pk_hash_key}] = #{pk_hash_value} if include_primary_key && aq[#{pk_hash_key}].nil? + end aq end }
For QuotedPrimaryKeyExtension, still guard on each call in case multiple DBs are present
diff --git a/library/src/com/nineoldandroids/view/animation/AnimatorProxy.java b/library/src/com/nineoldandroids/view/animation/AnimatorProxy.java index <HASH>..<HASH> 100644 --- a/library/src/com/nineoldandroids/view/animation/AnimatorProxy.java +++ b/library/src/com/nineoldandroids/view/animation/AnimatorProxy.java @@ -1,7 +1,5 @@ package com.nineoldandroids.view.animation; -import java.lang.ref.WeakReference; -import java.util.WeakHashMap; import android.graphics.Camera; import android.graphics.Matrix; import android.graphics.RectF; @@ -10,6 +8,9 @@ import android.view.View; import android.view.animation.Animation; import android.view.animation.Transformation; +import java.lang.ref.WeakReference; +import java.util.WeakHashMap; + /** * A proxy class to allow for modifying post-3.0 view properties on all pre-3.0 * platforms. <strong>DO NOT</strong> wrap your views with this class if you @@ -249,7 +250,7 @@ public final class AnimatorProxy extends Animation { } private void invalidateAfterUpdate() { View view = mView.get(); - if (view == null) { + if (view == null || view.getParent() == null) { return; }
Do not invalidate parent if view is not attached to anything. Closes #<I>.
diff --git a/library/BrowserDetector/Detector/Os/Ios.php b/library/BrowserDetector/Detector/Os/Ios.php index <HASH>..<HASH> 100644 --- a/library/BrowserDetector/Detector/Os/Ios.php +++ b/library/BrowserDetector/Detector/Os/Ios.php @@ -174,7 +174,8 @@ class Ios new \BrowserDetector\Detector\Browser\Mobile\GooglePlus(), new \BrowserDetector\Detector\Browser\Mobile\NetNewsWire(), new \BrowserDetector\Detector\Browser\Mobile\Incredimail(), - new \BrowserDetector\Detector\Browser\Mobile\Lunascape() + new \BrowserDetector\Detector\Browser\Mobile\Lunascape(), + new \BrowserDetector\Detector\Browser\Mobile\MqqBrowser() ); $chain = new \BrowserDetector\Detector\Chain();
added MQQBrowser to Browser Chain for iOS
diff --git a/lib/cancan/inherited_resource.rb b/lib/cancan/inherited_resource.rb index <HASH>..<HASH> 100644 --- a/lib/cancan/inherited_resource.rb +++ b/lib/cancan/inherited_resource.rb @@ -6,7 +6,13 @@ module CanCan @controller.send :association_chain @controller.instance_variable_get("@#{instance_name}") elsif new_actions.include? @params[:action].to_sym - @controller.send :build_resource + + resource = @controller.send :build_resource + initial_attributes.each do |attr_name, value| + resource.send("#{attr_name}=", value) + end + resource + else @controller.send :resource end
initialise attributes after a resource is created by an InheritedResources controller
diff --git a/test/web-platform-tests/index.js b/test/web-platform-tests/index.js index <HASH>..<HASH> 100644 --- a/test/web-platform-tests/index.js +++ b/test/web-platform-tests/index.js @@ -86,7 +86,7 @@ const runWebPlatformTest = require("./run-web-platform-test")(exports, path.reso "html/dom/dynamic-markup-insertion/document-writeln/document.writeln-02.html", "html/dom/dynamic-markup-insertion/document-writeln/document.writeln-03.html", "html/dom/elements/global-attributes/classlist-nonstring.html", - "html/infrastructure/urls/terminology-0/document-base-url.html", + // "html/infrastructure/urls/terminology-0/document-base-url.html", // we don't support srcdoc <base> correctly "html/semantics/forms/the-input-element/input-textselection-01.html", // "html/semantics/scripting-1/the-template-element/additions-to-parsing-xhtml-documents/node-document.html", // templates in XHTML are totally messed up // "html/semantics/scripting-1/the-template-element/additions-to-parsing-xhtml-documents/template-child-nodes.html", // templates in XHTML are totally messed up
Comment out base URL WPT for now We don't support srcdoc very well.
diff --git a/checkers/exceptions.py b/checkers/exceptions.py index <HASH>..<HASH> 100644 --- a/checkers/exceptions.py +++ b/checkers/exceptions.py @@ -68,7 +68,7 @@ MSGS = { 'Used when except clauses are not in the correct order (from the ' 'more specific to the more generic). If you don\'t fix the order, ' 'some exceptions may not be catched by the most specific handler.'), - 'E0702': ('Raising %s while only classes, instances or string are allowed', + 'E0702': ('Raising %s while only classes or instances are allowed', 'raising-bad-type', 'Used when something which is neither a class, an instance or a \ string is raised (i.e. a `TypeError` will be raised).'),
Amend the message for raising-bad-type, by not specifying strings.
diff --git a/bin/build.js b/bin/build.js index <HASH>..<HASH> 100644 --- a/bin/build.js +++ b/bin/build.js @@ -181,17 +181,20 @@ var build = function (args, callback) { } fs.writeFileSync(configPath, JSON.stringify(config)); - - global.libxml = require("libxml"); - - // start optimizing - requirejs.optimize(optimizeConfig, function (results) { + var writeBackConfig = function(){ // write back normal config delete config['optimizedXAML']; config.baseUrl = realBaseUrl; fs.writeFileSync(configPath, JSON.stringify(config)); + }; + + global.libxml = require("libxml"); + // start optimizing + requirejs.optimize(optimizeConfig, function (results) { + // write back normal config + writeBackConfig(); var indexFilePath = path.join(buildDirPath, buildConfig.indexFile || "index.html"); var indexFile = fs.readFileSync(indexFilePath, "utf8"); @@ -207,10 +210,13 @@ var build = function (args, callback) { } fs.writeFileSync(indexFilePath, content); }, function(err){ + writeBackConfig(); + console.log(err); }); }; + build.usage = "rappidjs build"; module.exports = build;
fixed writing back config when error happens
diff --git a/erizo_controller/erizoController/roomController.js b/erizo_controller/erizoController/roomController.js index <HASH>..<HASH> 100644 --- a/erizo_controller/erizoController/roomController.js +++ b/erizo_controller/erizoController/roomController.js @@ -23,7 +23,7 @@ exports.RoomController = function (spec) { var rpc = spec.rpc; - var KEELALIVE_INTERVAL = 5*1000; + var KEEPLALIVE_INTERVAL = 5*1000; var eventListeners = []; @@ -39,13 +39,13 @@ exports.RoomController = function (spec) { }; var sendKeepAlive = function() { - for (var publisher_id in erizos) { + for (var publisher_id in erizos) {º var erizo_id = erizos[publisher_id]; rpc.callRpc(getErizoQueue(publisher_id), "keepAlive", [], {callback: callbackFor(erizo_id, publisher_id)}); } }; - var keepAliveLoop = setInterval(sendKeepAlive, KEELALIVE_INTERVAL); + var keepAliveLoop = setInterval(sendKeepAlive, KEEPLALIVE_INTERVAL); var createErizoJS = function(publisher_id, callback) { rpc.callRpc("ErizoAgent", "createErizoJS", [publisher_id], {callback: function(erizo_id) {
Changed KEEPALIVE variable name
diff --git a/lib/jsduck/event_table.rb b/lib/jsduck/event_table.rb index <HASH>..<HASH> 100644 --- a/lib/jsduck/event_table.rb +++ b/lib/jsduck/event_table.rb @@ -11,7 +11,7 @@ module JsDuck @id = @cls.full_name + "-events" @title = "Public Events" @column_title = "Event" - @row_class = "method-row" + @row_class = "event-row" @short_params = ShortParams.new @long_params = LongParams.new(@cls) end
Fix CSS class name for events table rows. Because this class name was used as part of the cache key, a class having method and event with same name would wrongly use the cached version of method in place of event. Now fixed.
diff --git a/src/sap.ui.table/src/sap/ui/table/Table.js b/src/sap.ui.table/src/sap/ui/table/Table.js index <HASH>..<HASH> 100644 --- a/src/sap.ui.table/src/sap/ui/table/Table.js +++ b/src/sap.ui.table/src/sap/ui/table/Table.js @@ -2015,7 +2015,7 @@ sap.ui.define([ var iVisibleRowCount = this.getVisibleRowCount(); if (iFixedBottomRowCount > 0 && (iVisibleRowCount - iFixedBottomRowCount) < iBindingLength) { - aContexts = this._getContexts(iBindingLength - iFixedBottomRowCount, iFixedBottomRowCount, 1); + aContexts = this._getContexts(iBindingLength - iFixedBottomRowCount, iFixedBottomRowCount); } return aContexts;
[INTERNAL][FIX] Table: Get fixed bottom contexts without a threshold Getting the contexts of the fixed bottom rows does not require a threshold. Change-Id: I6bfbb<I>b4e2e3fbb7a5c<I>b<I>a<I>
diff --git a/tests/Large/Entity/Fields/Traits/String/IsbnFieldTraitTest.php b/tests/Large/Entity/Fields/Traits/String/IsbnFieldTraitTest.php index <HASH>..<HASH> 100644 --- a/tests/Large/Entity/Fields/Traits/String/IsbnFieldTraitTest.php +++ b/tests/Large/Entity/Fields/Traits/String/IsbnFieldTraitTest.php @@ -36,7 +36,7 @@ class IsbnFieldTraitTest extends AbstractFieldTraitLargeTest /** * @var IsbnFieldInterface $entity */ - $entity = new $entityFqn($this->container->get(EntityValidatorFactory::class)); + $entity = $this->createEntity($entityFqn); $this->expectException(ValidationException::class); $entity->setIsbn($invalidIsbn); }
need to use teh factory
diff --git a/jws/jws.go b/jws/jws.go index <HASH>..<HASH> 100644 --- a/jws/jws.go +++ b/jws/jws.go @@ -268,7 +268,7 @@ func Verify(buf []byte, alg jwa.SignatureAlgorithm, key interface{}) (ret []byte return nil, errors.New(`invalid JWS message format (missing payload)`) } - // if we're using the flattened serialization format, then m.Signature + // if we're using the compact serialization format, then m.Signature // will be non-nil if len(proxy.Signature) > 0 { if len(proxy.Signatures) > 0 { @@ -466,7 +466,7 @@ func parseJSON(src io.Reader) (result *Message, err error) { if len(proxy.Signature) > 0 { if len(proxy.Signatures) > 0 { - return nil, errors.New("invalid message: mixed flattened/full json serialization") + return nil, errors.New("invalid message: mixed compact/full json serialization") } encodedSig, err := proxy.encodedSignature()
I probably didn't know the right terminology back then
diff --git a/src/events.js b/src/events.js index <HASH>..<HASH> 100644 --- a/src/events.js +++ b/src/events.js @@ -69,14 +69,18 @@ export default class EventHandler { const bundle = packet.value return bundle.bundleElements.forEach((bundleItem) => { - if (packet.value instanceof Bundle) { + if (bundleItem instanceof Bundle) { if (bundle.timetag.value.timestamp() < bundleItem.timetag.value.timestamp()) { throw new Error('OSC Bundle timestamp is older than the timestamp of enclosed Bundles') } return this.dispatch(bundleItem) } else if (bundleItem instanceof Message) { const message = bundleItem - return this.notify(message.address, message, bundle.timetag.value.timestamp()) + return this.notify( + message.address, + message, + bundle.timetag.value.timestamp() + ) } throw new Error('OSC EventHander dispatch() can\'t dispatch unknown Packet value')
Correctly distinct between Bundle and Message instances
diff --git a/test/ArrayAuthenticatorTest.php b/test/ArrayAuthenticatorTest.php index <HASH>..<HASH> 100644 --- a/test/ArrayAuthenticatorTest.php +++ b/test/ArrayAuthenticatorTest.php @@ -47,5 +47,11 @@ class ArrayAuthenticatorTest extends \PHPUnit_Framework_TestCase ]); $this->assertFalse($authenticator(["user" => "root", "password" => "nosuch"])); $this->assertFalse($authenticator(["user" => "nosuch", "password" => "nosuch"])); + + /* Should handle as hash and not cleartext */ + $this->assertFalse($authenticator([ + "user" => "luser", + "password" => '$2y$10$Tm03qGT4FLqobzbZcfLDcOVIwZEpg20QZYffleeA2jfcClLpufYpy' + ])); } }
Make sure hash is not handled as cleartext
diff --git a/lib/rudy/cli/disks.rb b/lib/rudy/cli/disks.rb index <HASH>..<HASH> 100644 --- a/lib/rudy/cli/disks.rb +++ b/lib/rudy/cli/disks.rb @@ -29,7 +29,7 @@ module Rudy if @option.backups d.list_backups.each_with_index do |b, index| puts ' %s' % b.name - break if @option.all.nil? && index >= 2 # display only 3, unless all + ##break if @option.all.nil? && index >= 2 # display only 3, unless all end end end
Now displays all backups for each disk
diff --git a/fs/torrentfs_test.go b/fs/torrentfs_test.go index <HASH>..<HASH> 100644 --- a/fs/torrentfs_test.go +++ b/fs/torrentfs_test.go @@ -8,7 +8,6 @@ import ( _ "net/http/pprof" "os" "path/filepath" - "strings" "testing" "time" @@ -102,11 +101,11 @@ func TestUnmountWedged(t *testing.T) { fs := New(client) fuseConn, err := fuse.Mount(layout.MountDir) if err != nil { - msg := fmt.Sprintf("error mounting: %s", err) - if strings.Contains(err.Error(), "fuse") || err.Error() == "exit status 71" { - t.Skip(msg) + switch err.Error() { + case "cannot locate OSXFUSE": + t.Skip(err) } - t.Fatal(msg) + t.Fatal(err) } go func() { server := fusefs.New(fuseConn, &fusefs.Config{
Tighten FUSE test skipping
diff --git a/src/flexicarousel.es6.js b/src/flexicarousel.es6.js index <HASH>..<HASH> 100644 --- a/src/flexicarousel.es6.js +++ b/src/flexicarousel.es6.js @@ -170,6 +170,30 @@ export default class Carousel { this.current = to; } + // ------------------------------------- Event Listeners ------------------------------------- // + + _createHandleBindings() { + + return { + 'touchstart': this._dragStart.bind(this), + 'touchmove': this._drag.bind(this), + 'touchend': this._dragEnd.bind(this), + 'touchcancel': this._dragEnd.bind(this), + 'mousedown': this._dragStart.bind(this), + 'mousemove': this._drag.bind(this), + 'mouseup': this._dragEnd.bind(this), + 'mouseleave': this._dragEnd.bind(this), + 'click': this._checkDragThreshold.bind(this) + }; + + } + + _createWindowBindings() { + return { + 'resize': this._updateView.bind(this), + 'orientationchange': this._updateView.bind(this) + }; + } // ------------------------------------- Drag Events ------------------------------------- //
adding functions that create bound functions as listeners for window and the carousel handle
diff --git a/cablemap.core/cablemap/core/c14n.py b/cablemap.core/cablemap/core/c14n.py index <HASH>..<HASH> 100644 --- a/cablemap.core/cablemap/core/c14n.py +++ b/cablemap.core/cablemap/core/c14n.py @@ -272,6 +272,7 @@ _SIGNER_C14N = { u'SHLICHER': u'SCHLICHER', u'BERYLE': u'BEYRLE', u'BYERLE': u'BEYRLE', + u'CULBERSTON': u'CULBERTSON', } def canonicalize_signer(signer):
Added more names to c<I>n
diff --git a/lib/generators/cucumber/install/install_generator.rb b/lib/generators/cucumber/install/install_generator.rb index <HASH>..<HASH> 100644 --- a/lib/generators/cucumber/install/install_generator.rb +++ b/lib/generators/cucumber/install/install_generator.rb @@ -41,7 +41,7 @@ module Cucumber return unless File.exist?('config/database.yml') unless File.read('config/database.yml').include? 'cucumber:' gsub_file 'config/database.yml', /^test:.*\n/, "test: &test\n" - gsub_file 'config/database.yml', /\z/, "\ncucumber:\n <<: *test" + gsub_file 'config/database.yml', /\z/, "\ncucumber:\n <<: *test\n" # Since gsub_file doesn't ask the user, just inform user that the file was overwritten. puts ' force config/database.yml'
Add new line to end of generated database.yml Be a good Unix citizen and end with a newline - <URL>
diff --git a/src/findUnused.js b/src/findUnused.js index <HASH>..<HASH> 100644 --- a/src/findUnused.js +++ b/src/findUnused.js @@ -8,7 +8,7 @@ export default function findUnused(locale, keysUsed) { keysUsed.forEach((keyUsed) => { // Dynamic key if (keyUsed.includes('*')) { - const regExp = new RegExp(keyUsed.replace('*', '(.+)')); + const regExp = new RegExp(`^${keyUsed.replace('*', '(.+)')}$`); Object.keys(locale) .forEach((localeKey) => { diff --git a/src/findUnused.spec.js b/src/findUnused.spec.js index <HASH>..<HASH> 100644 --- a/src/findUnused.spec.js +++ b/src/findUnused.spec.js @@ -52,5 +52,18 @@ describe('#findUnused()', () => { }, ], unused, 'Should report one unused key.'); }); + + it('should do an exact match even with dynamic keys', () => { + const missing = findUnused({ + 'bar.key.foo': 'Key 1', + }, ['key.*']); + + assert.deepEqual([ + { + key: 'bar.key.foo', + type: 'UNUSED', + }, + ], missing, 'Should report one missing key.'); + }); }); });
[findUnused] Do an exact match even with dynamic keys
diff --git a/src/Association/HasManyViaAssociation.php b/src/Association/HasManyViaAssociation.php index <HASH>..<HASH> 100644 --- a/src/Association/HasManyViaAssociation.php +++ b/src/Association/HasManyViaAssociation.php @@ -53,7 +53,7 @@ class HasManyViaAssociation extends HasManyAssociation implements AssociationInt $result[] = ' */'; $result[] = ' private function ' . $this->getFinderMethodName() . '()'; $result[] = ' {'; - $result[] = ' return $this->pool->find(' . var_export($this->getInstanceClassFrom($namespace, $target_type), true) . ')->join(' . var_export($this->getInstanceClassFrom($namespace, $intermediary_type), true) . ')->where("`' . $this->getFkFieldNameFrom($source_type) . '` = ?", $this->getId());'; + $result[] = ' return $this->pool->find(' . var_export($this->getInstanceClassFrom($namespace, $target_type), true) . ')->join(' . var_export($this->getInstanceClassFrom($namespace, $intermediary_type), true) . ')->where("`' . $intermediary_type->getTableName() . '`.`' . $this->getFkFieldNameFrom($source_type) . '` = ?", $this->getId());'; $result[] = ' }'; } }
Prepare finder for has many via association
diff --git a/Gruntfile.js b/Gruntfile.js index <HASH>..<HASH> 100644 --- a/Gruntfile.js +++ b/Gruntfile.js @@ -32,10 +32,18 @@ module.exports = function ( grunt ) { '!package.json', '!package-lock.json', '!phpcs.ruleset.xml', + '!phpcs.xml', + '!phpcs.xml.dist', '!phpunit.xml.dist', '!README.md', + '!phpcs-report-full.txt', '!report-full.txt', + '!report-full-2.7.txt', + '!report-full-after.txt', + '!phpcs-report-source.txt', '!report-source.txt', + '!report-source-2.7.txt', + '!report-source-after.txt', '!rollup.config.js' ];
Update grunt release exclusions
diff --git a/kernel/classes/ezcontentclass.php b/kernel/classes/ezcontentclass.php index <HASH>..<HASH> 100644 --- a/kernel/classes/ezcontentclass.php +++ b/kernel/classes/ezcontentclass.php @@ -121,7 +121,7 @@ class eZContentClass extends eZPersistentObject 'object_count' => 'objectCount', 'version_count' => 'versionCount', 'version_status' => 'versionStatus', - 'remote_id' => 'remoteID', + 'remote_id' => 'remoteID', // Note: This overrides remote_id field 'ingroup_list' => 'fetchGroupList', 'ingroup_id_list' => 'fetchGroupIDList', 'match_ingroup_id_list' => 'fetchMatchGroupIDList', @@ -367,23 +367,6 @@ class eZContentClass extends eZPersistentObject return $classList; } - function attribute( $attr ) - { - switch( $attr ) - { - case 'remote_id': - { - return $this->remoteID(); - } break; - - default: - { - return eZPersistentObject::attribute( $attr ); - } break; - } - return null; - } - /*! \return The creator of the class as an eZUser object by using the $CreatorID as user ID. */
- Removed code for remote_id attribute in attribute(), it is now handled by eZPersistentObject which will check function_attributes before fields. git-svn-id: file:///home/patrick.allaert/svn-git/ezp-repo/ezpublish/trunk@<I> a<I>eee8c-daba-<I>-acae-fa<I>f<I>
diff --git a/zipfs/file.go b/zipfs/file.go index <HASH>..<HASH> 100644 --- a/zipfs/file.go +++ b/zipfs/file.go @@ -130,7 +130,7 @@ func (f *File) Readdir(count int) (fi []os.FileInfo, err error) { } for _, zipfile := range zipfiles { fi = append(fi, zipfile.FileInfo()) - if count >= 0 && len(fi) >= count { + if count > 0 && len(fi) >= count { break } } @@ -144,7 +144,7 @@ func (f *File) Readdirnames(count int) (names []string, err error) { } for filename := range zipfiles { names = append(names, filename) - if count >= 0 && len(names) >= count { + if count > 0 && len(names) >= count { break } }
Fix zipfs.Readdir and zipfs.Readdirnames If count == 0 all files should be returned as of <URL>
diff --git a/lib/collection/response.js b/lib/collection/response.js index <HASH>..<HASH> 100644 --- a/lib/collection/response.js +++ b/lib/collection/response.js @@ -386,6 +386,17 @@ _.assign(Response, /** @lends Response */ { _postman_propertyName: 'Response', /** + * Check whether an object is an instance of {@link ItemGroup}. + * + * @param {*} obj + * @returns {Boolean} + */ + isResponse: function (obj) { + return obj && ((obj instanceof Response) || + _.inSuperChain(obj.constructor, '_postman_propertyName', Response._postman_propertyName)); + }, + + /** * Converts the response object from the request module to the postman responseBody format * * @param {Object} response The response object, as received from the request module
Added Response.isResponse
diff --git a/tests/jobs.py b/tests/jobs.py index <HASH>..<HASH> 100644 --- a/tests/jobs.py +++ b/tests/jobs.py @@ -105,7 +105,7 @@ class BackfillJobTest(unittest.TestCase): # run with timeout because this creates an infinite loop if not # caught - with timeout(seconds=15): + with timeout(seconds=30): job.run() ti = TI(
Increase timeout time for unit test Travis runs are occasionally failing this test. Increasing the timeout should help.
diff --git a/lib/express-useragent.js b/lib/express-useragent.js index <HASH>..<HASH> 100644 --- a/lib/express-useragent.js +++ b/lib/express-useragent.js @@ -24,7 +24,9 @@ 'pingdom', 'tumblr ', 'Embedly', - 'spbot' + 'spbot', + 'apex', + 'gsa-crawler' ]; var IS_BOT_REGEXP = new RegExp('^.*(' + BOTS.join('|') + ').*$');
Add apex and gsa-crawler to list of BOTS
diff --git a/src/http-server/src/Router/HandlerMapping.php b/src/http-server/src/Router/HandlerMapping.php index <HASH>..<HASH> 100644 --- a/src/http-server/src/Router/HandlerMapping.php +++ b/src/http-server/src/Router/HandlerMapping.php @@ -164,7 +164,7 @@ class HandlerMapping extends AbstractRouter implements HandlerMappingInterface protected function collectParamRoute(string $route, array $methods, array $conf) { $conf['original'] = $route; - $params = $this->getAvailableParams($opts['params'] ?? []); + $params = $this->getAvailableParams($conf['option']['params'] ?? []); list($first, $conf) = $this->parseParamRoute($route, $params, $conf); // route string have regular @@ -366,7 +366,10 @@ class HandlerMapping extends AbstractRouter implements HandlerMappingInterface } } - return [self::NOT_FOUND, \explode(',', \trim($allowedMethods, ','))]; + return [ + self::NOT_FOUND, + $allowedMethods ? \explode(',', \rtrim($allowedMethods, ',')) : [] + ]; } /**
fix: cannot setting params. Sometimes 'notFound' would be considered 'notAllowed'
diff --git a/lib/brancher/database_rename_service.rb b/lib/brancher/database_rename_service.rb index <HASH>..<HASH> 100644 --- a/lib/brancher/database_rename_service.rb +++ b/lib/brancher/database_rename_service.rb @@ -9,7 +9,7 @@ module Brancher database_extname = File.extname(configuration["database"]) database_name = configuration["database"].gsub(%r{#{database_extname}$}) { "" } database_name += suffix unless database_name =~ %r{#{suffix}$} - configuration["database"] = database_name + database_extname + configuration["database"] = cap_length(database_name + database_extname) configurations end @@ -22,6 +22,12 @@ module Brancher private + def cap_length(database_full_name) + max_length = 63 + database_full_name = database_full_name.slice(0,max_length-22) + [Digest::MD5.digest(database_full_name)].pack("m0").slice(0,22) if database_full_name.length > max_length + database_full_name + end + def env Rails.env end
cap database name length cap database name length to <I> characters, this conforms to mysql and postgres default limitations for name lengths.
diff --git a/lib/driver.js b/lib/driver.js index <HASH>..<HASH> 100644 --- a/lib/driver.js +++ b/lib/driver.js @@ -263,7 +263,7 @@ class XCUITestDriver extends BaseDriver { this.jwpProxyActive = false; this.proxyReqRes = null; - if (this.wda) { + if (this.wda && this.wda.jwproxy) { await this.proxyCommand(`/session/${this.sessionId}`, 'DELETE'); await this.wda.quit(); }
Make sure wda proxy is there when we delete session
diff --git a/src/Providers/Composer/Composer.php b/src/Providers/Composer/Composer.php index <HASH>..<HASH> 100644 --- a/src/Providers/Composer/Composer.php +++ b/src/Providers/Composer/Composer.php @@ -88,7 +88,7 @@ final class Composer implements ComposerContract /** * Runs the provided command on the provided folder. */ - private function run(string $cmd, string $cwd = npull): bool + private function run(string $cmd, string $cwd = null): bool { $process = new Process($cmd, $cwd);
Mistype npull indavertised
diff --git a/framework/core/src/Api/Serializers/UserSerializer.php b/framework/core/src/Api/Serializers/UserSerializer.php index <HASH>..<HASH> 100644 --- a/framework/core/src/Api/Serializers/UserSerializer.php +++ b/framework/core/src/Api/Serializers/UserSerializer.php @@ -26,7 +26,7 @@ class UserSerializer extends UserBasicSerializer ]; } - if ($canEdit) { + if ($canEdit || $this->actor->id === $user->id) { $attributes += [ 'isActivated' => $user->is_activated, 'email' => $user->email
Let users see their own email/activation status
diff --git a/spacy/cli/converters/iob2json.py b/spacy/cli/converters/iob2json.py index <HASH>..<HASH> 100644 --- a/spacy/cli/converters/iob2json.py +++ b/spacy/cli/converters/iob2json.py @@ -12,7 +12,7 @@ def iob2json(input_path, output_path, n_sents=10, *a, **k): """ # TODO: This isn't complete yet -- need to map from IOB to # BILUO - with input_path.open() as file_: + with input_path.open('r', encoding='utf8') as file_: docs = read_iob(file_) output_filename = input_path.parts[-1].replace(".iob", ".json") @@ -28,8 +28,12 @@ def read_iob(file_): for line in file_: if not line.strip(): continue - tokens = [t.rsplit('|', 2) for t in line.split()] - words, pos, iob = zip(*tokens) + tokens = [t.split('|') for t in line.split()] + if len(tokens[0]) == 3: + words, pos, iob = zip(*tokens) + else: + words, iob = zip(*tokens) + pos = ['-'] * len(words) biluo = iob_to_biluo(iob) sentences.append([ {'orth': w, 'tag': p, 'ner': ent}
Handle iob with no tag in converter
diff --git a/gremlin-core/src/test/java/org/apache/tinkerpop/gremlin/util/iterator/MultiIteratorTest.java b/gremlin-core/src/test/java/org/apache/tinkerpop/gremlin/util/iterator/MultiIteratorTest.java index <HASH>..<HASH> 100644 --- a/gremlin-core/src/test/java/org/apache/tinkerpop/gremlin/util/iterator/MultiIteratorTest.java +++ b/gremlin-core/src/test/java/org/apache/tinkerpop/gremlin/util/iterator/MultiIteratorTest.java @@ -25,6 +25,8 @@ import java.util.ArrayList; import java.util.Iterator; import java.util.List; +import static org.hamcrest.CoreMatchers.is; +import static org.hamcrest.MatcherAssert.assertThat; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertFalse; @@ -89,6 +91,7 @@ public class MultiIteratorTest { itty.addIterator(EmptyIterator.instance()); itty.addIterator(list.iterator()); + assertThat(itty.hasNext(), is(true)); assertEquals("test1", itty.next()); assertEquals("test2", itty.next()); assertEquals("test3", itty.next());
Add assertion to ensure hasNext on MultiIterator returns true.
diff --git a/src/Renderer/BlockSnippetRenderer.php b/src/Renderer/BlockSnippetRenderer.php index <HASH>..<HASH> 100644 --- a/src/Renderer/BlockSnippetRenderer.php +++ b/src/Renderer/BlockSnippetRenderer.php @@ -56,7 +56,7 @@ abstract class BlockSnippetRenderer implements SnippetRenderer } if (!class_exists($blockClass)) { - throw new CanNotInstantiateBlockException(sprintf('Class %s does not exist.')); + throw new CanNotInstantiateBlockException(sprintf('Class %s does not exist.', $blockClass)); } /** @var Block $blockInstance */
Issue #<I>: Add missing variable
diff --git a/django_deployer/providers.py b/django_deployer/providers.py index <HASH>..<HASH> 100644 --- a/django_deployer/providers.py +++ b/django_deployer/providers.py @@ -163,6 +163,23 @@ class AppEngine(PaaSProvider): "Python2.7": "v2.7" } + setup_instructions = """ +Just a few more steps before you're ready to deploy your app! + +1. Run this command to create the virtualenv with all the packages: + + $ fab deploy + +2. Once you've done that, run the deploy command + + $ sh manage.sh deploy + +3. You can run other commands that will execute on your remotely deployed app, such as: + + $ sh manage.sh dbshell + +""" + provider_yml_name = "app.yaml" @classmethod
provide some setup instructions, so the user knows what s/he needs to do next
diff --git a/flask_resty/api.py b/flask_resty/api.py index <HASH>..<HASH> 100644 --- a/flask_resty/api.py +++ b/flask_resty/api.py @@ -19,14 +19,7 @@ def handle_api_error(error): def handle_http_exception(error): - # Flask calls the InternalServerError handler with any uncaught app - # exceptions. Re-raise those as generic internal server errors. - if not isinstance(error, HTTPException): - error = ApiError(500) - else: - error = ApiError.from_http_exception(error) - - return error.response + return ApiError.from_http_exception(error).response # ----------------------------------------------------------------------------- diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -28,7 +28,7 @@ setup( keywords="rest flask", packages=("flask_resty",), install_requires=( - "Flask>=1.0.3", + "Flask>=1.1.0", "Flask-SQLAlchemy>=1.0", "marshmallow>=3.0.0", "SQLAlchemy>=1.0.0",
chore: Update minimum Flask version to <I> (#<I>)
diff --git a/app/setup.php b/app/setup.php index <HASH>..<HASH> 100755 --- a/app/setup.php +++ b/app/setup.php @@ -89,7 +89,7 @@ add_action('after_setup_theme', function () { * Register relative length units in the editor. * @link https://developer.wordpress.org/block-editor/developers/themes/theme-support/#support-custom-units */ - add_theme_support('custom-units', 'rem', 'vw'); + add_theme_support('custom-units'); /** * Enable support for custom line heights in the editor.
chore(theme): Remove specificity from `custom-units` theme support
diff --git a/src/GizzlePlugins/ExtensionRepositoryReleasePlugin.php b/src/GizzlePlugins/ExtensionRepositoryReleasePlugin.php index <HASH>..<HASH> 100644 --- a/src/GizzlePlugins/ExtensionRepositoryReleasePlugin.php +++ b/src/GizzlePlugins/ExtensionRepositoryReleasePlugin.php @@ -22,6 +22,7 @@ class ExtensionRepositoryReleasePlugin extends AbstractPlugin implements PluginI const OPTION_URL = 'url'; const OPTION_REMOVEBUILD = 'removeBuild'; const OPTION_GITCOMMAND = 'gitCommand'; + const OPTION_EXTENSIONKEY = 'extensionKey'; const CREDENTIALS_FILE = '.typo3credentials'; const PATTERN_EXTENSION_FOLDER = '/[^a-z0-9_]/'; const PATTERN_TAG_HEAD = 'refs/tags/'; @@ -96,7 +97,7 @@ class ExtensionRepositoryReleasePlugin extends AbstractPlugin implements PluginI * @return string */ protected function getWorkingDirectoryName(Payload $payload) { - return $payload->getRepository()->getName(); + return $this->getSettingValue(self::OPTION_EXTENSIONKEY, $payload->getRepository()->getName()); } /**
[FEATURE] Allow `extensionKey` as setting for plugin
diff --git a/tests/test_main.py b/tests/test_main.py index <HASH>..<HASH> 100644 --- a/tests/test_main.py +++ b/tests/test_main.py @@ -791,13 +791,18 @@ def test_user_words(resources, outdir): sidecar_before = outdir / 'sidecar_before.txt' sidecar_after = outdir / 'sidecar_after.txt' - check_ocrmypdf( - resources / 'crom.png', outdir / 'out.pdf', - '--image-dpi', 150, - '--sidecar', sidecar_before - ) + # Don't know how to make this test pass on various versions and platforms + # so weaken to merely testing that the argument is accepted + consistent = False + + if consistent: + check_ocrmypdf( + resources / 'crom.png', outdir / 'out.pdf', + '--image-dpi', 150, + '--sidecar', sidecar_before + ) - assert 'cromulent' not in sidecar_before.open().read() + assert 'cromulent' not in sidecar_before.open().read() with word_list.open('w') as f: f.write('cromulent\n') # a perfectly cromulent word @@ -809,7 +814,8 @@ def test_user_words(resources, outdir): '--user-words', word_list ) - assert 'cromulent' in sidecar_after.open().read() + if consistent: + assert 'cromulent' in sidecar_after.open().read() def test_form_xobject(spoof_tesseract_noop, resources, outpdf):
Weaken the --user-words test so it will pass on Travis
diff --git a/jenkins.go b/jenkins.go index <HASH>..<HASH> 100644 --- a/jenkins.go +++ b/jenkins.go @@ -42,7 +42,9 @@ func (jenkins *Jenkins) buildUrl(path string, params url.Values) (requestUrl str } func (jenkins *Jenkins) sendRequest(req *http.Request) (*http.Response, error) { - req.SetBasicAuth(jenkins.auth.Username, jenkins.auth.ApiToken) + if jenkins.auth != nil { + req.SetBasicAuth(jenkins.auth.Username, jenkins.auth.ApiToken) + } return http.DefaultClient.Do(req) }
Allow Auth to be nil for jenkins to enable systems which support some level of anonymous access
diff --git a/lib/mongoid/fields/validators/macro.rb b/lib/mongoid/fields/validators/macro.rb index <HASH>..<HASH> 100644 --- a/lib/mongoid/fields/validators/macro.rb +++ b/lib/mongoid/fields/validators/macro.rb @@ -56,7 +56,7 @@ module Mongoid end # if field alredy defined - if ! options[:overwrite] && klass.fields.keys.include?(name.to_s) + if !options[:overwrite] && klass.fields.keys.include?(name.to_s) if Mongoid.duplicate_fields_exception raise Errors::InvalidField.new(klass, name) else
:scissors:
diff --git a/config/swagger-lume.php b/config/swagger-lume.php index <HASH>..<HASH> 100644 --- a/config/swagger-lume.php +++ b/config/swagger-lume.php @@ -161,6 +161,6 @@ return [ */ 'constants' => [ //'SWAGGER_LUME_CONST_HOST' => env('SWAGGER_LUME_CONST_HOST', 'http://my-default-host.com'), - ] + ], ]; diff --git a/src/Generator.php b/src/Generator.php index <HASH>..<HASH> 100644 --- a/src/Generator.php +++ b/src/Generator.php @@ -29,7 +29,7 @@ class Generator protected static function defineConstants(array $constants) { - if (!empty($constants)) { + if (! empty($constants)) { foreach ($constants as $key => $value) { defined($key) || define($key, $value); }
Applied fixes from StyleCI (#<I>) [ci skip] [skip ci]
diff --git a/pyinfra/api/operation.py b/pyinfra/api/operation.py index <HASH>..<HASH> 100644 --- a/pyinfra/api/operation.py +++ b/pyinfra/api/operation.py @@ -160,21 +160,15 @@ def operation(func=None, pipeline_facts=None): state = kwargs['state'] = pseudo_state._module host = kwargs['host'] = pseudo_host._module - if not state or not host: - if not state: - raise PyinfraError(( - 'API operation called without state/host: {0} ({1})' - ).format(op_name, get_call_location())) - - if state.in_op: - raise PyinfraError(( - 'Nested operation called without state/host: {0} ({1})' - ).format(op_name, get_call_location())) - - if state.in_deploy: - raise PyinfraError(( - 'Nested deploy operation called without state/host: {0} ({1})' - ).format(op_name, get_call_location())) + if state.in_op: + raise PyinfraError(( + 'Nested operation called without state/host: {0} ({1})' + ).format(op_name, get_call_location())) + + if state.in_deploy: + raise PyinfraError(( + 'Nested deploy operation called without state/host: {0} ({1})' + ).format(op_name, get_call_location())) else: raise PyinfraError((
Fix CLI checking for nested operation calls w/o state & host.
diff --git a/setup.py b/setup.py index <HASH>..<HASH> 100644 --- a/setup.py +++ b/setup.py @@ -29,6 +29,7 @@ setup( 'Programming Language :: Python :: 3', 'Programming Language :: Python :: 3.5', 'Programming Language :: Python :: 3.6', + 'Programming Language :: Python :: 3.7', 'Topic :: Documentation', 'Topic :: Utilities', ],
Added py<I> support to setup.py
diff --git a/spyderlib/plugins/inspector.py b/spyderlib/plugins/inspector.py index <HASH>..<HASH> 100644 --- a/spyderlib/plugins/inspector.py +++ b/spyderlib/plugins/inspector.py @@ -335,5 +335,9 @@ class ObjectInspector(ReadOnlyEditor): is_code = True self.editor.set_highlight_current_line(is_code) self.editor.set_occurence_highlighting(is_code) + if is_code: + self.editor.set_language('py') + else: + self.editor.set_language(None) self.editor.set_text(hlp_text) self.editor.set_cursor_position('sof') diff --git a/spyderlib/widgets/codeeditor/codeeditor.py b/spyderlib/widgets/codeeditor/codeeditor.py index <HASH>..<HASH> 100644 --- a/spyderlib/widgets/codeeditor/codeeditor.py +++ b/spyderlib/widgets/codeeditor/codeeditor.py @@ -304,7 +304,12 @@ class CodeEditor(TextEditBaseWidget): self.tab_indents = language in self.TAB_ALWAYS_INDENTS self.supported_language = False self.comment_string = '' - if language is not None: + if language is None: + if self.highlighter is not None: + self.highlighter.setDocument(None) + self.highlighter = None + self.highlighter_class = None + else: for key in self.LANGUAGES: if language.lower() in key: self.supported_language = True
Fixed Issue <I>: don't do syntax highlighting in the "Object Inspector" when not showing the source
diff --git a/logging/unit_tests/test_client.py b/logging/unit_tests/test_client.py index <HASH>..<HASH> 100644 --- a/logging/unit_tests/test_client.py +++ b/logging/unit_tests/test_client.py @@ -553,6 +553,7 @@ class TestClient(unittest.TestCase): def test_get_default_handler_app_engine(self): import os + import tempfile from google.cloud._testing import _Monkey from google.cloud.logging.client import _APPENGINE_FLEXIBLE_ENV_VM from google.cloud.logging.handlers import app_engine as _MUT @@ -562,7 +563,8 @@ class TestClient(unittest.TestCase): credentials=_make_credentials(), use_gax=False) - with _Monkey(_MUT, _LOG_PATH_TEMPLATE='{pid}'): + temp_log_path = os.path.join(tempfile.mkdtemp(), '{pid}') + with _Monkey(_MUT, _LOG_PATH_TEMPLATE=temp_log_path): with _Monkey(os, environ={_APPENGINE_FLEXIBLE_ENV_VM: 'True'}): handler = client.get_default_handler()
Make logging unit test file a temp file
diff --git a/Entity/Page.php b/Entity/Page.php index <HASH>..<HASH> 100644 --- a/Entity/Page.php +++ b/Entity/Page.php @@ -161,7 +161,11 @@ class Page extends Node return $this->author; } - + /** + * builds autogenerated route + * + * @return \MandarinMedien\MMCmfRoutingBundle\Entity\NodeRoute|null + */ public function getAutoNodeRoute() { foreach($this->getRoutes() as $route) @@ -174,5 +178,14 @@ class Page extends Node return null; } + /** + * to string function + * + * @return string + */ + function __toString() + { + return $this->getTitle(); + } }
added Page::__toString function
diff --git a/structr-ui/src/main/resources/structr/js/schema.js b/structr-ui/src/main/resources/structr/js/schema.js index <HASH>..<HASH> 100644 --- a/structr-ui/src/main/resources/structr/js/schema.js +++ b/structr-ui/src/main/resources/structr/js/schema.js @@ -2060,7 +2060,12 @@ var _Schema = { return; } + _Schema.ignoreNextSchemaRecompileNotification = true; + Command.setProperty(entity.id, key, text2, false, function() { + + _Schema.ignoreNextSchemaRecompileNotification = false; + Structr.showAndHideInfoBoxMessage('Code saved.', 'success', 2000, 200); _Schema.reload(); dialogSaveButton.prop("disabled", true).addClass('disabled');
Bugfix: Ignore the schema recompile notification when user triggered a schema recompile by editing a function property.
diff --git a/src/Model/PaperclipTrait.php b/src/Model/PaperclipTrait.php index <HASH>..<HASH> 100644 --- a/src/Model/PaperclipTrait.php +++ b/src/Model/PaperclipTrait.php @@ -160,13 +160,13 @@ trait PaperclipTrait * * {@inheritdoc} */ - public function originalIsEquivalent($key, $current) + public function originalIsEquivalent($key) { if (array_key_exists($key, $this->attachedFiles)) { return true; } - return parent::originalIsEquivalent($key, $current); + return parent::originalIsEquivalent($key); } /**
Updated originalIsEquivalent method for changed signature in Laravel 7
diff --git a/sd.go b/sd.go index <HASH>..<HASH> 100644 --- a/sd.go +++ b/sd.go @@ -65,7 +65,7 @@ func LookupSidByName(name string) (sid string, err error) { if err != nil { return "", &AccountLookupError{name, err} } - sid = syscall.UTF16ToString((*[1 << 30]uint16)(unsafe.Pointer(strBuffer))[:]) + sid = syscall.UTF16ToString((*[0xffff]uint16)(unsafe.Pointer(strBuffer))[:]) localFree(uintptr(unsafe.Pointer(strBuffer))) return sid, nil }
Fix build on windows/<I>
diff --git a/extensions/imagine/BaseImage.php b/extensions/imagine/BaseImage.php index <HASH>..<HASH> 100644 --- a/extensions/imagine/BaseImage.php +++ b/extensions/imagine/BaseImage.php @@ -14,7 +14,6 @@ use Imagine\Image\ImageInterface; use Imagine\Image\ImagineInterface; use Imagine\Image\ManipulatorInterface; use Imagine\Image\Point; -use Imagine\Image\Palette\RGB; use yii\base\InvalidConfigException; use yii\base\InvalidParamException; use yii\helpers\ArrayHelper; @@ -156,8 +155,7 @@ class BaseImage $img = $img->thumbnail($box, $mode); // create empty image to preserve aspect ratio of thumbnail - $color = (new RGB())->color('#FFF', 100); - $thumb = static::getImagine()->create($box, $color); + $thumb = static::getImagine()->create($box, new Color('FFF', 100)); // calculate points $size = $img->getSize();
For Imagine <I> (previous code was for <I> dev)
diff --git a/heron/api/src/java/org/apache/heron/streamlet/impl/groupings/RemapCustomGrouping.java b/heron/api/src/java/org/apache/heron/streamlet/impl/groupings/RemapCustomGrouping.java index <HASH>..<HASH> 100644 --- a/heron/api/src/java/org/apache/heron/streamlet/impl/groupings/RemapCustomGrouping.java +++ b/heron/api/src/java/org/apache/heron/streamlet/impl/groupings/RemapCustomGrouping.java @@ -53,7 +53,7 @@ public class RemapCustomGrouping<R> implements CustomStreamGrouping { public List<Integer> chooseTasks(List<Object> values) { List<Integer> ret = new ArrayList<>(); R obj = (R) values.get(0); - List<Integer> targets = remapFn.apply(obj, ret.size()); + List<Integer> targets = remapFn.apply(obj, taskIds.size()); for (Integer target : targets) { ret.add(Utils.assignKeyToTask(target, taskIds)); }
Fix number of tasks in Streamlet RemapCustomGrouping (#<I>)
diff --git a/src/Client.php b/src/Client.php index <HASH>..<HASH> 100644 --- a/src/Client.php +++ b/src/Client.php @@ -25,6 +25,11 @@ final class Client implements HttpClient, HttpAsyncClient */ private $client; + /** + * If you pass a Guzzle instance as $client, make sure to configure Guzzle to not + * throw exceptions on HTTP error status codes, or this adapter will violate PSR-18. + * See also self::buildClient at the bottom of this class. + */ public function __construct(?ClientInterface $client = null) { if (!$client) {
explain in phpdoc that guzzle instance must not throw exceptions
diff --git a/main.go b/main.go index <HASH>..<HASH> 100644 --- a/main.go +++ b/main.go @@ -12,6 +12,26 @@ import ( "github.com/docker/machine/version" ) +var AppHelpTemplate = ` +Usage: {{.Name}} {{if .Flags}}[OPTIONS] {{end}}COMMAND [arg...] + +{{.Usage}} + +Version: {{.Version}}{{if or .Author .Email}} + +Author:{{if .Author}} + {{.Author}}{{if .Email}} - <{{.Email}}>{{end}}{{else}} + {{.Email}}{{end}}{{end}} +{{if .Flags}} +Options: + {{range .Flags}}{{.}} + {{end}}{{end}} +Commands: + {{range .Commands}}{{.Name}}{{with .ShortName}}, {{.}}{{end}}{{ "\t" }}{{.Usage}} + {{end}} +Run '{{.Name}} COMMAND --help' for more information on a command. +` + func main() { for _, f := range os.Args { if f == "-D" || f == "--debug" || f == "-debug" { @@ -20,6 +40,7 @@ func main() { } } + cli.AppHelpTemplate = AppHelpTemplate app := cli.NewApp() app.Name = path.Base(os.Args[0]) app.Author = "Docker Machine Contributors"
Reformatting usage message to look more like docker's
diff --git a/lib/rscons/environment.rb b/lib/rscons/environment.rb index <HASH>..<HASH> 100644 --- a/lib/rscons/environment.rb +++ b/lib/rscons/environment.rb @@ -17,6 +17,11 @@ module Rscons # @return [String] The build root. attr_reader :build_root + # @return [Integer] + # The number of threads to use for this Environment. If nil (the + # default), the global Rscons.n_threads default value will be used. + attr_writer :n_threads + # Set the build root. # # @param build_root [String] The build root. @@ -331,7 +336,7 @@ module Rscons # If needed, do a blocking wait. if (@threaded_commands.size > 0) and - ((completed_tcs.empty? and job.nil?) or (@threaded_commands.size >= Rscons.n_threads)) + ((completed_tcs.empty? and job.nil?) or (@threaded_commands.size >= n_threads)) completed_tcs << wait_for_threaded_commands end @@ -828,6 +833,15 @@ module Rscons end end + # Get the number of threads to use for parallelized builds in this + # Environment. + # + # @return [Integer] + # Number of threads to use for parallelized builds in this Environment. + def n_threads + @n_threads || Rscons.n_threads + end + private # Add a build target.
Allow overriding n_threads on a per-Environment level - close #<I>
diff --git a/Concerns/ManagesTransactions.php b/Concerns/ManagesTransactions.php index <HASH>..<HASH> 100644 --- a/Concerns/ManagesTransactions.php +++ b/Concerns/ManagesTransactions.php @@ -41,13 +41,13 @@ trait ManagesTransactions } try { - if ($this->transactions == 1) { + $this->transactions = max(0, $this->transactions - 1); + + if ($this->transactions == 0) { $this->getPdo()->commit(); optional($this->transactionsManager)->commit($this->getName()); } - - $this->transactions = max(0, $this->transactions - 1); } catch (Throwable $e) { $this->handleCommitTransactionException( $e, $currentAttempt, $attempts
call transaction callbacks after updating the transaction levels (#<I>)
diff --git a/drivers/python/rethinkdb/net.py b/drivers/python/rethinkdb/net.py index <HASH>..<HASH> 100644 --- a/drivers/python/rethinkdb/net.py +++ b/drivers/python/rethinkdb/net.py @@ -218,8 +218,10 @@ class Connection(object): self._handle_cursor_response(self._read_response(cursor.query.token)) def _async_continue_cursor(self, cursor): - self.cursor_cache[cursor.query.token].outstanding_requests += 1 + if cursor.outstanding_requests != 0: + return + cursor.outstanding_requests = 1 query = Query(p.Query.CONTINUE, cursor.query.token, None, None) self._send_query(query, cursor.opts, async=True)
Do not have more than one outstanding CONTINUE request Related #<I> Review <I> by @Tryneus
diff --git a/src/Common/Model/Base.php b/src/Common/Model/Base.php index <HASH>..<HASH> 100644 --- a/src/Common/Model/Base.php +++ b/src/Common/Model/Base.php @@ -2087,8 +2087,12 @@ abstract class Base protected function describeFieldsPrepareLabel($sLabel) { $aPatterns = [ - '/\bid\b/i' => 'ID', - '/\burl\b/i' => 'URL', + // Common words + '/\bid\b/i' => 'ID', + '/\burl\b/i' => 'URL', + '/\bhtml\b/i' => 'HTML', + // Common file extensions + '/\bpdf\b/i' => 'PDF', ]; $sLabel = ucwords(preg_replace('/[\-_]/', ' ', $sLabel));
Added more items to `describeFieldsPrepareLabel`
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 @@ -101,7 +101,7 @@ class Page /** @var Config $config */ $config = self::getGrav()['config']; - $this->routable = true; + $this->taxonomy = array(); $this->process = $config->get('system.pages.process'); $this->published = true; @@ -127,6 +127,14 @@ class Page $this->setPublishState(); $this->published(); + // some routable logic + if (empty($this->routable) && $this->modular()) { + $this->routable = false; + } else { + $this->routable = true; + } + + // some extension logic if (empty($extension)) { $this->extension('.'.$file->getExtension()); } else { @@ -1089,6 +1097,7 @@ class Page if ($var !== null) { $this->routable = (bool) $var; } + return $this->routable && $this->published(); }
Added routable logic so modular pages are not routable by default (as intended!)
diff --git a/Event.php b/Event.php index <HASH>..<HASH> 100644 --- a/Event.php +++ b/Event.php @@ -587,11 +587,15 @@ class Event extends Component */ protected function emailOutput(MailerInterface $mailer, $addresses) { - $mailer->compose() - ->setTextBody(file_get_contents($this->_output)) - ->setSubject($this->getEmailSubject()) - ->setTo($addresses) - ->send(); + $textBody = file_get_contents($this->_output); + + if (trim($textBody) != '' ) { + $mailer->compose() + ->setTextBody(file_get_contents($this->_output)) + ->setSubject($this->getEmailSubject()) + ->setTo($addresses) + ->send(); + } } /**
Prevent sending of empty mails When a task produces no output, no mail should be sent.
diff --git a/test/runtime/samples/action-this/_config.js b/test/runtime/samples/action-this/_config.js index <HASH>..<HASH> 100644 --- a/test/runtime/samples/action-this/_config.js +++ b/test/runtime/samples/action-this/_config.js @@ -1,10 +1,9 @@ export default { - html: `<button>0</button>`, - test ( assert, component, target, window ) { const button = target.querySelector( 'button' ); const click = new window.MouseEvent( 'click' ); + assert.htmlEqual( target.innerHTML, `<button>0</button>` ); button.dispatchEvent( click ); assert.htmlEqual( target.innerHTML, `<button>1</button>` ); }
Make tests work when running all of them together. They were only passing when running just the runtime tests, but failing with `<button>undefined</button>` when running all the tests.
diff --git a/test/index.js b/test/index.js index <HASH>..<HASH> 100644 --- a/test/index.js +++ b/test/index.js @@ -44,8 +44,8 @@ app.on('ready', function() { mainWindow = new BrowserWindow({ 'width': 416, 'height': 400, - 'web-preferences': {'plugins': true} // Do not forget to add this option - // when creating BrowserWindow + 'webPreferences': {'plugins': true} // Do not forget to add this option + // when creating BrowserWindow }); var url; url = 'file://' + __dirname + '/index.html';
Updated sample app to get rid of the 'deprecated' warning
diff --git a/lib/jshint/cli.rb b/lib/jshint/cli.rb index <HASH>..<HASH> 100644 --- a/lib/jshint/cli.rb +++ b/lib/jshint/cli.rb @@ -1,6 +1,6 @@ module Jshint module Cli - def run(reporter_name = :Default, result_file = nil) + def self.run(reporter_name = :Default, result_file = nil) linter = Jshint::Lint.new linter.lint reporter = Jshint::Reporters.const_get(reporter_name).new(linter.errors) @@ -10,8 +10,8 @@ module Jshint end if result_file - Dir.mkdir(File.dirname(file)) - File.open(file, 'w') do |stream| + Dir.mkdir(File.dirname(result_file)) + File.open(result_file, 'w') do |stream| printer.call(stream) end else
This needs to be run without including.
diff --git a/robolectric/src/main/java/org/robolectric/android/internal/AndroidTestEnvironment.java b/robolectric/src/main/java/org/robolectric/android/internal/AndroidTestEnvironment.java index <HASH>..<HASH> 100755 --- a/robolectric/src/main/java/org/robolectric/android/internal/AndroidTestEnvironment.java +++ b/robolectric/src/main/java/org/robolectric/android/internal/AndroidTestEnvironment.java @@ -176,6 +176,8 @@ public class AndroidTestEnvironment implements TestEnvironment { RuntimeEnvironment.setAndroidFrameworkJarPath(sdkJarPath); Bootstrap.setDisplayConfiguration(androidConfiguration, displayMetrics); RuntimeEnvironment.setActivityThread(ReflectionHelpers.newInstance(ActivityThread.class)); + ReflectionHelpers.setStaticField( + ActivityThread.class, "sMainThreadHandler", new Handler(Looper.myLooper())); Instrumentation instrumentation = createInstrumentation(); InstrumentationRegistry.registerInstance(instrumentation, new Bundle()); @@ -278,9 +280,6 @@ public class AndroidTestEnvironment implements TestEnvironment { shadowActivityThread.setCompatConfiguration(androidConfiguration); - ReflectionHelpers.setStaticField( - ActivityThread.class, "sMainThreadHandler", new Handler(Looper.myLooper())); - Bootstrap.setUpDisplay(); activityThread.applyConfigurationToResources(androidConfiguration);
Eagerly instantiate ActivityThread's main handler Instantiating it inside installAndCreateApplication is no longer necessarily correct, as that can be called from a background thread PiperOrigin-RevId: <I>
diff --git a/src/loader/loader.js b/src/loader/loader.js index <HASH>..<HASH> 100644 --- a/src/loader/loader.js +++ b/src/loader/loader.js @@ -29,18 +29,29 @@ // flag to know if we need to refresh the display this.invalidate = false; + // handle for the susbcribe function + this.handle = null; + // load progress in percent this.loadPercent = 0; + + }, + // call when the loader is resetted + onResetEvent : function() { // setup a callback - me.loader.onProgress = this.onProgressUpdate.bind(this); - + this.handle = me.event.subscribe(me.event.LOADER_PROGRESS, this.onProgressUpdate.bind(this)); }, - + // destroy object at end of loading onDestroyEvent : function() { // "nullify" all fonts this.logo1 = this.logo2 = null; + // cancel the callback + if (this.handle) { + me.event.unsubscribe(this.handle); + this.handle = null; + } }, // make sure the screen is refreshed every frame
Use the new suscribe messaging function in the default loading screen Because that's cool :)
diff --git a/sprockets/mixins/metrics/influxdb.py b/sprockets/mixins/metrics/influxdb.py index <HASH>..<HASH> 100644 --- a/sprockets/mixins/metrics/influxdb.py +++ b/sprockets/mixins/metrics/influxdb.py @@ -127,7 +127,6 @@ class InfluxDBCollector(object): io_loop=None, submission_interval=SUBMISSION_INTERVAL, max_batch_size=MAX_BATCH_SIZE, tags=None): self._buffer = list() - self._client = httpclient.AsyncHTTPClient(force_instance=True) self._client.configure(None, defaults={'user_agent': _USER_AGENT}) self._database = database self._influxdb_url = '{}?db={}'.format(url, database) @@ -137,6 +136,9 @@ class InfluxDBCollector(object): self._pending = 0 self._tags = tags or {} + self._client = httpclient.AsyncHTTPClient(force_instance=True, + io_loop=self._io_loop) + # Add the periodic callback for submitting metrics LOGGER.info('Starting PeriodicCallback for writing InfluxDB metrics') self._callback = ioloop.PeriodicCallback(self._write_metrics,
Pass the IOLoop into the HTTPClient
diff --git a/tests/automated/ListView.js b/tests/automated/ListView.js index <HASH>..<HASH> 100644 --- a/tests/automated/ListView.js +++ b/tests/automated/ListView.js @@ -39,6 +39,16 @@ describe('ListView rendering', function() { expect(events[1].title).toBe('event 2'); expect(events[1].timeText).toBe('all-day'); }); + + it('filters events through eventRender', function() { + options.eventRender = function(event, el) { + el.find('.fc-event-dot').replaceWith('<span class="custom-icon" />'); + }; + + $('#cal').fullCalendar(options); + + expect($('.custom-icon').length).toBe(2); + }); }); describe('with timed events', function() {
test that listview uses eventRender