content_type
stringclasses
8 values
main_lang
stringclasses
7 values
message
stringlengths
1
50
sha
stringlengths
40
40
patch
stringlengths
52
962k
file_count
int64
1
300
PHP
PHP
fix broken tests
0c25708a288dd1dc00ac2321851d0dcafaa2c6c2
<ide><path>src/Illuminate/Console/Command.php <ide> public function setLaravel($laravel) <ide> * @param \Symfony\Component\Console\Output\OutputInterface $output <ide> * @return int <ide> */ <del> private function runCommand($command, array $arguments, OutputInterface $output): int <add> private function runCommand($command, array $arguments, OutputInterface $output) <ide> { <add> $arguments['command'] = $command; <add> <ide> return $this->resolveCommand($command)->run( <ide> $this->createInputFromArguments($arguments), $output <ide> );
1
Text
Text
add norm to matcher feature in docs
d5666fd12d70a0a9f50bb75e2941ca59f2582a98
<ide><path>website/docs/api/matcher.md <ide> rule-based matching are: <ide> | ----------------------------------------------- | ------------------------------------------------------------------------------------------------------------------------- | <ide> | `ORTH` | The exact verbatim text of a token. ~~str~~ | <ide> | `TEXT` <Tag variant="new">2.1</Tag> | The exact verbatim text of a token. ~~str~~ | <add>| `NORM` | The normalized form of the token text. ~~str~~ | <ide> | `LOWER` | The lowercase form of the token text. ~~str~~ | <ide> |  `LENGTH` | The length of the token text. ~~int~~ | <ide> |  `IS_ALPHA`, `IS_ASCII`, `IS_DIGIT` | Token text consists of alphabetic characters, ASCII characters, digits. ~~bool~~ | <ide><path>website/docs/usage/rule-based-matching.md <ide> rule-based matching are: <ide> | ----------------------------------------------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | <ide> | `ORTH` | The exact verbatim text of a token. ~~str~~ | <ide> | `TEXT` <Tag variant="new">2.1</Tag> | The exact verbatim text of a token. ~~str~~ | <add>| `NORM` | The normalized form of the token text. ~~str~~ | <ide> | `LOWER` | The lowercase form of the token text. ~~str~~ | <ide> |  `LENGTH` | The length of the token text. ~~int~~ | <ide> |  `IS_ALPHA`, `IS_ASCII`, `IS_DIGIT` | Token text consists of alphabetic characters, ASCII characters, digits. ~~bool~~ |
2
Javascript
Javascript
fix handling of metaproperty
ae15a701a4bbf6c74028afdd1bb73f9284a585d5
<ide><path>lib/dependencies/ImportMetaPlugin.js <ide> class ImportMetaPlugin { <ide> const expr = /** @type {MemberExpression} */ (expression); <ide> if ( <ide> expr.object.type === "MetaProperty" && <add> expr.object.meta.name === "import" && <add> expr.object.property.name === "meta" && <ide> expr.property.type === <ide> (expr.computed ? "Literal" : "Identifier") <ide> ) { <ide><path>lib/dependencies/URLPlugin.js <ide> class URLPlugin { <ide> if ( <ide> chain.members.length !== 1 || <ide> chain.object.type !== "MetaProperty" || <add> chain.object.meta.name !== "import" || <ide> chain.object.property.name !== "meta" || <ide> chain.members[0] !== "url" <ide> ) <ide><path>lib/javascript/JavascriptParser.js <ide> class JavascriptParser extends Parser { <ide> case "MetaProperty": { <ide> const res = this.callHooksForName( <ide> this.hooks.evaluateTypeof, <del> "import.meta", <add> getRootName(expr.argument), <ide> expr <ide> ); <ide> if (res !== undefined) return res; <ide><path>test/cases/parsing/meta-property/index.js <ide> class A { <ide> } else { <ide> this.val = 1; <ide> } <add> if (typeof new.target !== "function") { <add> this.val = 0; <add> } <add> if (typeof new.target.value !== "function") { <add> this.val = 0; <add> } <add> if (typeof new.target.unknown !== "undefined") { <add> this.val = 0; <add> } <add> if (!new.target.value) { <add> this.val = 0; <add> } <ide> } <add> static value() {} <ide> } <ide> <ide> class B extends A {}
4
Python
Python
fix typo in transaction.atomic docstring
bd9b324a99ec77026c3dd0f749e28c919fe5ee59
<ide><path>django/db/transaction.py <ide> class Atomic(object): <ide> connection. None denotes the absence of a savepoint. <ide> <ide> This allows reentrancy even if the same AtomicWrapper is reused. For <del> example, it's possible to define `oa = @atomic('other')` and use `@ao` or <add> example, it's possible to define `oa = @atomic('other')` and use `@oa` or <ide> `with oa:` multiple times. <ide> <ide> Since database connections are thread-local, this is thread-safe.
1
Ruby
Ruby
fix checkin method, add a couple more tests
3ce64d4f1608330072e1959a10f9b84205baebfa
<ide><path>activerecord/lib/active_record/connection_adapters/abstract/connection_pool.rb <ide> def checkout <ide> <ide> def checkin(conn) <ide> @connection_mutex.synchronize do <del> @checked_out -= conn <add> @checked_out.delete conn <ide> @queue.signal <ide> end <ide> end <ide><path>activerecord/test/cases/threaded_connections_test.rb <ide> def test_threaded_connections <ide> class PooledConnectionsTest < ActiveRecord::TestCase <ide> def setup <ide> @connection = ActiveRecord::Base.remove_connection <del> @connections = [] <ide> @allow_concurrency = ActiveRecord::Base.allow_concurrency <ide> ActiveRecord::Base.allow_concurrency = true <ide> end <ide> def teardown <ide> ActiveRecord::Base.establish_connection(@connection) <ide> end <ide> <del> def gather_connections <add> def checkout_connections <ide> ActiveRecord::Base.establish_connection(@connection.merge({:pool => 2, :wait_timeout => 0.3})) <add> @connections = [] <ide> @timed_out = 0 <ide> <ide> 4.times do <ide> def gather_connections <ide> end <ide> end <ide> <del> def test_threaded_connections <del> gather_connections <add> def test_pooled_connection_checkout <add> checkout_connections <ide> assert_equal @connections.length, 2 <ide> assert_equal @timed_out, 2 <ide> end <add> <add> def checkout_checkin_connections(pool_size, threads) <add> ActiveRecord::Base.establish_connection(@connection.merge({:pool => pool_size, :wait_timeout => 0.5})) <add> @connection_count = 0 <add> @timed_out = 0 <add> threads.times do <add> Thread.new do <add> begin <add> conn = ActiveRecord::Base.connection_pool.checkout <add> sleep 0.1 <add> ActiveRecord::Base.connection_pool.checkin conn <add> @connection_count += 1 <add> rescue ActiveRecord::ConnectionTimeoutError <add> @timed_out += 1 <add> end <add> end.join <add> end <add> end <add> <add> def test_pooled_connection_checkin_one <add> checkout_checkin_connections 1, 2 <add> assert_equal 2, @connection_count <add> assert_equal 0, @timed_out <add> end <add> <add> def test_pooled_connection_checkin_two <add> checkout_checkin_connections 2, 3 <add> assert_equal 3, @connection_count <add> assert_equal 0, @timed_out <add> end <ide> end <ide> end
2
Python
Python
add try/except around bz2 import
b9616419e1395745ce59288d01e591d72f80f0c8
<ide><path>spacy/cli/model.py <ide> # coding: utf8 <ide> from __future__ import unicode_literals <ide> <del>import bz2 <del>import gzip <add>try: <add> import bz2 <add> import gzip <add>except ImportError: <add> pass <ide> import math <ide> from ast import literal_eval <ide> from pathlib import Path
1
Ruby
Ruby
fix failing am test due to missing template
9f5d2b12025958d024cbe5666dfef80b225dde2c
<ide><path>actionmailer/test/base_test.rb <ide> class DefaultFromMailer < ActionMailer::Base <ide> self.default_options = {from: "robert.pankowecki@gmail.com"} <ide> <ide> def welcome <del> mail(subject: "subject") <add> mail(subject: "subject", body: "hello world") <ide> end <ide> end <ide>
1
Mixed
Ruby
add id option to redis adapter config
bcd11e07b5369b661e869631dc485fd5e3ce88a5
<ide><path>actioncable/CHANGELOG.md <add>* Add `id` option to redis adapter so now you can distinguish <add> ActionCable's redis connections among others. Also, you can set <add> custom id in options. <add> <add> Before: <add> ``` <add> $ redis-cli client list <add> id=669 addr=127.0.0.1:46442 fd=8 name= age=18 ... <add> ``` <add> <add> After: <add> ``` <add> $ redis-cli client list <add> id=673 addr=127.0.0.1:46516 fd=8 name=ActionCable-PID-19413 age=2 ... <add> ``` <add> <add> *Ilia Kasianenko* <add> <ide> * Rails 6 requires Ruby 2.4.1 or newer. <ide> <ide> *Jeremy Daer* <ide><path>actioncable/lib/action_cable/subscription_adapter/redis.rb <ide> class Redis < Base # :nodoc: <ide> # Overwrite this factory method for Redis connections if you want to use a different Redis library than the redis gem. <ide> # This is needed, for example, when using Makara proxies for distributed Redis. <ide> cattr_accessor :redis_connector, default: ->(config) do <del> ::Redis.new(config.slice(:url, :host, :port, :db, :password)) <add> config[:id] ||= "ActionCable-PID-#{$$}" <add> ::Redis.new(config.slice(:url, :host, :port, :db, :password, :id)) <ide> end <ide> <ide> def initialize(*) <ide><path>actioncable/test/subscription_adapter/redis_test.rb <ide> def cable_config <ide> end <ide> <ide> class RedisAdapterTest::Connector < ActionCable::TestCase <del> test "slices url, host, port, db, and password from config" do <del> config = { url: 1, host: 2, port: 3, db: 4, password: 5 } <add> test "slices url, host, port, db, password and id from config" do <add> config = { url: 1, host: 2, port: 3, db: 4, password: 5, id: "Some custom ID" } <ide> <ide> assert_called_with ::Redis, :new, [ config ] do <ide> connect config.merge(other: "unrelated", stuff: "here") <ide> end <ide> end <ide> <add> test "adds default id if it is not specified" do <add> config = { url: 1, host: 2, port: 3, db: 4, password: 5, id: "ActionCable1-PID-#{$$}" } <add> <add> assert_called_with ::Redis, :new, [ config ] do <add> connect config <add> end <add> end <add> <ide> def connect(config) <ide> ActionCable::SubscriptionAdapter::Redis.redis_connector.call(config) <ide> end
3
Python
Python
add unit test for start_from_epoch to earlystop
c492e45a017ecff5196a45d962d1618cac89467a
<ide><path>keras/callbacks_test.py <ide> def set_weight_to_epoch(self, epoch): <ide> self.assertEqual(epochs_trained, 5) <ide> self.assertEqual(early_stop.model.get_weights(), 2) <ide> <add> def test_EarlyStopping_with_start_from_epoch(self): <add> with self.cached_session(): <add> np.random.seed(1337) <add> <add> (data, labels), _ = test_utils.get_test_data( <add> train_samples=100, <add> test_samples=50, <add> input_shape=(1,), <add> num_classes=NUM_CLASSES, <add> ) <add> model = test_utils.get_small_sequential_mlp( <add> num_hidden=1, num_classes=1, input_dim=1 <add> ) <add> model.compile( <add> optimizer="sgd", loss="binary_crossentropy", metrics=["acc"] <add> ) <add> start_from_epoch = 2 <add> patience = 3 <add> stopper = keras.callbacks.EarlyStopping( <add> monitor="acc", <add> patience=patience, <add> start_from_epoch=start_from_epoch, <add> ) <add> hist = model.fit( <add> data, labels, callbacks=[stopper], verbose=0, epochs=20 <add> ) <add> assert len(hist.epoch) >= patience + start_from_epoch <add> <add> start_from_epoch = 2 <add> patience = 0 <add> stopper = keras.callbacks.EarlyStopping( <add> monitor="acc", <add> patience=patience, <add> start_from_epoch=start_from_epoch, <add> ) <add> hist = model.fit( <add> data, labels, callbacks=[stopper], verbose=0, epochs=20 <add> ) <add> assert len(hist.epoch) >= start_from_epoch <add> <ide> def test_RemoteMonitor(self): <ide> if requests is None: <ide> self.skipTest("`requests` required to run this test")
1
PHP
PHP
remove layouts constant
c33fc1e0033426b7db6320fed43fe228bcdbba77
<ide><path>lib/Cake/bootstrap.php <ide> */ <ide> define('APPLIBS', APP.'Lib'.DS); <ide> <del>/** <del> * Path to the application's view's layouts directory. <del> */ <del> define('LAYOUTS', VIEWS.'Layouts'.DS); <del> <ide> /** <ide> * Path to the application's view's elements directory. <ide> * It's supposed to hold pieces of PHP/HTML that are used on multiple pages
1
PHP
PHP
fix error from previous commit
9d1e88ba13f9a8d0c2acb808c83d7763e1e7f5f3
<ide><path>lib/Cake/Controller/Scaffold.php <ide> public function __construct(Controller $controller, CakeRequest $request) { <ide> 'title_for_layout', 'modelClass', 'primaryKey', 'displayField', 'singularVar', 'pluralVar', <ide> 'singularHumanName', 'pluralHumanName', 'scaffoldFields', 'associations' <ide> )); <del> $this->set('title_for_layout', $title); <add> $this->controller->set('title_for_layout', $title); <ide> <ide> if ($this->controller->viewClass) { <ide> $this->controller->viewClass = 'Scaffold';
1
Ruby
Ruby
update request_forgery_protection docs [ci skip]
fd0f27ce793caf8c2f06cf09710aa0a505df553e
<ide><path>actionpack/lib/action_controller/metal/request_forgery_protection.rb <ide> class InvalidCrossOriginRequest < ActionControllerError #:nodoc: <ide> # by including a token in the rendered HTML for your application. This token is <ide> # stored as a random string in the session, to which an attacker does not have <ide> # access. When a request reaches your application, \Rails verifies the received <del> # token with the token in the session. Only HTML and JavaScript requests are checked, <del> # so this will not protect your XML API (presumably you'll have a different <del> # authentication scheme there anyway). <add> # token with the token in the session. All requests are checked except GET requests <add> # as these should be idempotent. Keep in mind that all session-oriented requests <add> # should be CSRF protected, including Javascript and HTML requests. <ide> # <ide> # GET requests are not protected since they don't have side effects like writing <ide> # to the database and don't leak sensitive information. JavaScript requests are <ide> class InvalidCrossOriginRequest < ActionControllerError #:nodoc: <ide> # Ajax) requests are allowed to make GET requests for JavaScript responses. <ide> # <ide> # It's important to remember that XML or JSON requests are also affected and if <del> # you're building an API you'll need something like: <add> # you're building an API you should change forgery protection method in <add> # <tt>ApplicationController</tt> (by default: <tt>:exception</tt>): <ide> # <ide> # class ApplicationController < ActionController::Base <ide> # protect_from_forgery unless: -> { request.format.json? } <ide> # end <ide> # <del> # CSRF protection is turned on with the <tt>protect_from_forgery</tt> method, <del> # which checks the token and resets the session if it doesn't match what was expected. <del> # A call to this method is generated for new \Rails applications by default. <add> # CSRF protection is turned on with the <tt>protect_from_forgery</tt> method. <add> # By default <tt>protect_from_forgery</tt> protects your session with <add> # <tt>:null_session</tt> method, which provides an empty session during request <ide> # <ide> # The token parameter is named <tt>authenticity_token</tt> by default. The name and <ide> # value of this token must be added to every layout that renders forms by including
1
Javascript
Javascript
change var to const in ./common
017122a6ec260ade02bba4c26d188709b336c911
<ide><path>test/common/index.js <ide> exports.allowGlobals = allowGlobals; <ide> function leakedGlobals() { <ide> const leaked = []; <ide> <del> // eslint-disable-next-line no-var <del> for (var val in global) { <add> for (const val in global) { <ide> if (!knownGlobals.includes(global[val])) { <ide> leaked.push(val); <ide> }
1
PHP
PHP
fix throws tag
77a121a80f88d595e90f82e58a76a65702784f7e
<ide><path>src/View/SerializedView.php <ide> abstract protected function _serialize($serialize): string; <ide> * @param string|null $template The template being rendered. <ide> * @param string|null|false $layout The layout being rendered. <ide> * @return string The rendered view. <del> * @throws \Cake\View\SerializationFailureException When serialization fails. <add> * @throws \Cake\View\Exception\SerializationFailureException When serialization fails. <ide> */ <ide> public function render(?string $template = null, $layout = null): string <ide> {
1
Text
Text
fix typo in blog post
b8229cc7610701f9736ae0cf8addea354cd9d33e
<ide><path>docs/_posts/2014-10-14-introducting-react-elements.md <ide> var reactDivElement = div(props, children); <ide> <ide> ## Deprecated: Auto-generated Factories <ide> <del>Imagine if `React.createClass` was just a plain JavaScript class. If you call a class as a plain function you would call the component's constructor to create an Component instance, not a `ReactElement`: <add>Imagine if `React.createClass` was just a plain JavaScript class. If you call a class as a plain function you would call the component's constructor to create a Component instance, not a `ReactElement`: <ide> <ide> ```javascript <ide> new MyComponent(); // Component, not ReactElement
1
Text
Text
update linux.md to accomadate build issues
748d189079d18533f206afc61007f3f8629978eb
<ide><path>docs/build-instructions/linux.md <ide> and restart Atom. If Atom now works fine, you can make this setting permanent: <ide> <ide> See also https://github.com/atom/atom/issues/2082. <ide> <add>### /usr/bin/env: node: No such file or directory <add> <add>If you get this notice when attemtping to ```script/build,``` you have either neglected to install nodejs, or node is identified as nodejs in your system. If the latter, entering ```sudo ln -s /usr/bin/nodejs /usr/bin/node``` into your terminal may fix the issue. <add> <ide> ### Linux build error reports in atom/atom <ide> * Use [this search](https://github.com/atom/atom/search?q=label%3Abuild-error+label%3Alinux&type=Issues) <ide> to get a list of reports about build errors on Linux.
1
Javascript
Javascript
remove the `url` polyfill
fa86a192f9b97434df2439285b7efe2862d8d07d
<ide><path>src/shared/compatibility.js <ide> if ( <ide> globalThis.Promise = require("core-js/es/promise/index.js"); <ide> })(); <ide> <del> // Support: Safari <del> (function checkURL() { <del> if (typeof PDFJSDev === "undefined" || !PDFJSDev.test("PRODUCTION")) { <del> // Prevent "require is not a function" errors in development mode, <del> // since the `URL` constructor should be available in modern browers. <del> return; <del> } else if (!PDFJSDev.test("GENERIC")) { <del> // The `URL` constructor is assumed to be available in the extension <del> // builds. <del> return; <del> } else if (PDFJSDev.test("IMAGE_DECODERS")) { <del> // The current image decoders don't use the `URL` constructor, so it <del> // doesn't need to be polyfilled for the IMAGE_DECODERS build target. <del> return; <del> } <del> globalThis.URL = require("core-js/web/url.js"); <del> })(); <del> <ide> // Support: Safari<10.1, Node.js <ide> (function checkReadableStream() { <ide> if (typeof PDFJSDev !== "undefined" && PDFJSDev.test("IMAGE_DECODERS")) {
1
Javascript
Javascript
add support for toisostring method
da9f4dfcf4f3d0c21821d8474ac0bb19a3c51415
<ide><path>src/ngMock/angular-mocks.js <ide> angular.mock.$LogProvider = function() { <ide> return parseInt(str, 10); <ide> } <ide> <add> function padNumber(num, digits, trim) { <add> var neg = ''; <add> if (num < 0) { <add> neg = '-'; <add> num = -num; <add> } <add> num = '' + num; <add> while(num.length < digits) num = '0' + num; <add> if (trim) <add> num = num.substr(num.length - digits); <add> return neg + num; <add> } <add> <ide> <ide> /** <ide> * @ngdoc object <ide> angular.mock.$LogProvider = function() { <ide> return self.date.getDay(); <ide> }; <ide> <add> // provide this method only on browsers that already have it <add> if (self.toISOString) { <add> self.toISOString = function() { <add> return padNumber(self.origDate.getUTCFullYear(), 4) + '-' + <add> padNumber(self.origDate.getUTCMonth() + 1, 2) + '-' + <add> padNumber(self.origDate.getUTCDate(), 2) + 'T' + <add> padNumber(self.origDate.getUTCHours(), 2) + ':' + <add> padNumber(self.origDate.getUTCMinutes(), 2) + ':' + <add> padNumber(self.origDate.getUTCSeconds(), 2) + '.' + <add> padNumber(self.origDate.getUTCMilliseconds(), 3) + 'Z' <add> } <add> } <add> <ide> //hide all methods not implemented in this mock that the Date prototype exposes <ide> var unimplementedMethods = ['getMilliseconds', 'getUTCDay', <ide> 'getYear', 'setDate', 'setFullYear', 'setHours', 'setMilliseconds', <ide> 'setMinutes', 'setMonth', 'setSeconds', 'setTime', 'setUTCDate', 'setUTCFullYear', <ide> 'setUTCHours', 'setUTCMilliseconds', 'setUTCMinutes', 'setUTCMonth', 'setUTCSeconds', <del> 'setYear', 'toDateString', 'toJSON', 'toGMTString', 'toLocaleFormat', 'toLocaleString', <add> 'setYear', 'toDateString', 'toGMTString', 'toJSON', 'toLocaleFormat', 'toLocaleString', <ide> 'toLocaleTimeString', 'toSource', 'toString', 'toTimeString', 'toUTCString', 'valueOf']; <ide> <ide> angular.forEach(unimplementedMethods, function(methodName) { <ide><path>test/ngMock/angular-mocksSpec.js <ide> describe('ngMock', function() { <ide> }); <ide> <ide> <add> it('should fake toISOString method', function() { <add> var date = new angular.mock.TzDate(-1, '2009-10-09T01:02:03.027Z'); <add> <add> if (new Date().toISOString) { <add> expect(date.toISOString()).toEqual('2009-10-09T01:02:03.027Z'); <add> } else { <add> expect(date.toISOString).toBeUndefined(); <add> } <add> }); <add> <add> <ide> it('should fake getHours method', function() { <ide> //0 in -3h <ide> var t0 = new angular.mock.TzDate(-3, 0);
2
Python
Python
update trove classifiers
d905cd7f744d706002d92760545f0e0d2d61b98f
<ide><path>setup.py <ide> def run(self, *args, **kwargs): <ide> test_suite="nose.collector", <ide> classifiers=[ <ide> "Development Status :: 5 - Production/Stable", <del> "Operating System :: OS Independent", <del> "Environment :: No Input/Output (Daemon)", <del> "Intended Audience :: Developers", <ide> "License :: OSI Approved :: BSD License", <del> "Operating System :: POSIX", <del> "Topic :: Communications", <ide> "Topic :: System :: Distributed Computing", <del> "Topic :: Software Development :: Libraries :: Python Modules", <add> "Topic :: Software Development :: Object Brokering", <add> "Intended Audience :: Developers", <add> "Intended Audience :: Information Technology", <add> "Intended Audience :: Science/Research", <add> "Intended Audience :: Financial and Insurance Industry", <add> "Intended Audience :: Healthcare Industry", <add> "Environment :: No Input/Output (Daemon)", <add> "Environment :: Console", <ide> "Programming Language :: Python", <ide> "Programming Language :: Python :: 2", <ide> "Programming Language :: Python :: 2.5", <ide> "Programming Language :: Python :: 2.6", <ide> "Programming Language :: Python :: 2.7", <ide> "Programming Language :: Python :: 3", <add> "Programming Language :: Python :: 3.2", <ide> "Programming Language :: Python :: Implementation :: CPython", <ide> "Programming Language :: Python :: Implementation :: PyPy", <ide> "Programming Language :: Python :: Implementation :: Jython", <add> "Operating System :: OS Independent", <add> "Operating System :: POSIX", <add> "Operating System :: Microsoft :: Windows", <add> "Operating System :: MacOS :: MacOS X", <ide> ], <ide> entry_points={ <ide> 'console_scripts': console_scripts,
1
Javascript
Javascript
remove string.prototype.contains polyfill
577206fe51cf94d53cd69123ac64bf70cd2cc0ba
<ide><path>packager/react-packager/src/Resolver/polyfills/String.prototype.es6.js <ide> if (!String.prototype.endsWith) { <ide> }; <ide> } <ide> <del>if (!String.prototype.contains) { <del> String.prototype.contains = function(search) { <del> 'use strict'; <del> if (this == null) { <del> throw TypeError(); <del> } <del> var string = String(this); <del> var pos = arguments.length > 1 ? <del> (Number(arguments[1]) || 0) : 0; <del> return string.indexOf(String(search), pos) !== -1; <del> }; <del>} <del> <ide> if (!String.prototype.repeat) { <ide> String.prototype.repeat = function(count) { <ide> 'use strict';
1
Javascript
Javascript
support possible deletion of globalthis.error
46526d6cadc611b57032b0f4423cc9220f7cc915
<ide><path>lib/internal/errors.js <ide> const maybeOverridePrepareStackTrace = (globalThis, error, trace) => { <ide> // https://crbug.com/v8/7848 <ide> // `globalThis` is the global that contains the constructor which <ide> // created `error`. <del> if (typeof globalThis.Error.prepareStackTrace === 'function') { <add> if (typeof globalThis.Error?.prepareStackTrace === 'function') { <ide> return globalThis.Error.prepareStackTrace(error, trace); <ide> } <ide> // We still have legacy usage that depends on the main context's `Error`
1
Javascript
Javascript
extract common helper functions
5857c89da2b7322c24dc4448408a2c0d7489ac82
<ide><path>packages/react-events/src/utils.js <add>/** <add> * Copyright (c) Facebook, Inc. and its affiliates. <add> * <add> * This source code is licensed under the MIT license found in the <add> * LICENSE file in the root directory of this source tree. <add> * <add> * @flow <add> */ <add> <add>import type { <add> ReactResponderEvent, <add> ReactResponderContext, <add>} from 'shared/ReactTypes'; <add> <add>export function getEventCurrentTarget( <add> event: ReactResponderEvent, <add> context: ReactResponderContext, <add>) { <add> const target: any = event.target; <add> let currentTarget = target; <add> while ( <add> currentTarget.parentNode && <add> currentTarget.parentNode.nodeType === Node.ELEMENT_NODE && <add> context.isTargetWithinEventComponent(currentTarget.parentNode) <add> ) { <add> currentTarget = currentTarget.parentNode; <add> } <add> return currentTarget; <add>} <add> <add>export function getEventPointerType(event: ReactResponderEvent) { <add> const nativeEvent: any = event.nativeEvent; <add> const {type, pointerType} = nativeEvent; <add> if (pointerType != null) { <add> return pointerType; <add> } <add> if (type.indexOf('mouse') === 0) { <add> return 'mouse'; <add> } <add> if (type.indexOf('touch') === 0) { <add> return 'touch'; <add> } <add> if (type.indexOf('key') === 0) { <add> return 'keyboard'; <add> } <add> return ''; <add>} <add> <add>export function isEventPositionWithinTouchHitTarget( <add> event: ReactResponderEvent, <add> context: ReactResponderContext, <add>) { <add> const nativeEvent: any = event.nativeEvent; <add> const target: any = event.target; <add> return context.isPositionWithinTouchHitTarget( <add> target.ownerDocument, <add> nativeEvent.x, <add> nativeEvent.y, <add> ); <add>}
1
PHP
PHP
uncomment a bunch of skipped cors cases
116b8feb8098220a8405b1a1ea721a1ac004da36
<ide><path>tests/TestCase/Network/ResponseTest.php <ide> public function corsData() <ide> }; <ide> <ide> return [ <del> // [$fooRequest, null, '*', '', '', false, false], <del> // [$fooRequest, 'http://www.foo.com', '*', '', '', '*', false], <del> // [$fooRequest, 'http://www.foo.com', 'www.foo.com', '', '', 'http://www.foo.com', false], <del> // [$fooRequest, 'http://www.foo.com', '*.foo.com', '', '', 'http://www.foo.com', false], <del> // [$fooRequest, 'http://www.foo.com', 'http://*.foo.com', '', '', 'http://www.foo.com', false], <del> // [$fooRequest, 'http://www.foo.com', 'https://www.foo.com', '', '', false, false], <del> // [$fooRequest, 'http://www.foo.com', 'https://*.foo.com', '', '', false, false], <del> // [$fooRequest, 'http://www.foo.com', ['*.bar.com', '*.foo.com'], '', '', 'http://www.foo.com', false], <del> <del> // [$fooRequest, 'http://not-foo.com', '*.foo.com', '', '', false, false], <del> // [$fooRequest, 'http://bad.academy', '*.acad.my', '', '', false, false], <del> // [$fooRequest, 'http://www.foo.com.at.bad.com', '*.foo.com', '', '', false, false], <del> // [$fooRequest, 'https://www.foo.com', '*.foo.com', '', '', false, false], <add> [$fooRequest, null, '*', '', '', false, false], <add> [$fooRequest, 'http://www.foo.com', '*', '', '', '*', false], <add> [$fooRequest, 'http://www.foo.com', 'www.foo.com', '', '', 'http://www.foo.com', false], <add> [$fooRequest, 'http://www.foo.com', '*.foo.com', '', '', 'http://www.foo.com', false], <add> [$fooRequest, 'http://www.foo.com', 'http://*.foo.com', '', '', 'http://www.foo.com', false], <add> [$fooRequest, 'http://www.foo.com', 'https://www.foo.com', '', '', false, false], <add> [$fooRequest, 'http://www.foo.com', 'https://*.foo.com', '', '', false, false], <add> [$fooRequest, 'http://www.foo.com', ['*.bar.com', '*.foo.com'], '', '', 'http://www.foo.com', false], <add> <add> [$fooRequest, 'http://not-foo.com', '*.foo.com', '', '', false, false], <add> [$fooRequest, 'http://bad.academy', '*.acad.my', '', '', false, false], <add> [$fooRequest, 'http://www.foo.com.at.bad.com', '*.foo.com', '', '', false, false], <add> [$fooRequest, 'https://www.foo.com', '*.foo.com', '', '', false, false], <ide> <ide> [$secureRequest(), 'https://www.bar.com', 'www.bar.com', '', '', 'https://www.bar.com', false], <ide> [$secureRequest(), 'https://www.bar.com', 'http://www.bar.com', '', '', false, false],
1
Javascript
Javascript
add useoriginalname to internal/errors
e692a098023a9966e8aa1fc6fda31fb3dee8373c
<ide><path>lib/internal/errors.js <ide> function makeSystemErrorWithCode(key) { <ide> }; <ide> } <ide> <add>let useOriginalName = false; <add> <ide> function makeNodeErrorWithCode(Base, key) { <ide> return class NodeError extends Base { <ide> constructor(...args) { <ide> super(getMessage(key, args)); <ide> } <ide> <ide> get name() { <add> if (useOriginalName) { <add> return super.name; <add> } <ide> return `${super.name} [${key}]`; <ide> } <ide> <ide> module.exports = { <ide> getMessage, <ide> SystemError, <ide> codes, <del> E // This is exported only to facilitate testing. <add> // This is exported only to facilitate testing. <add> E, <add> // This allows us to tell the type of the errors without using <add> // instanceof, which is necessary in WPT harness. <add> get useOriginalName() { return useOriginalName; }, <add> set useOriginalName(value) { useOriginalName = value; } <ide> }; <ide> <ide> // To declare an error message, use the E(sym, val, def) function above. The sym <ide><path>test/parallel/test-internal-error-original-names.js <add>// Flags: --expose-internals <add> <add>'use strict'; <add> <add>// This tests `internal/errors.useOriginalName` <add>// This testing feature is needed to allows us to assert the types of <add>// errors without using instanceof, which is necessary in WPT harness. <add>// Refs: https://github.com/nodejs/node/pull/22556 <add> <add>require('../common'); <add>const assert = require('assert'); <add>const errors = require('internal/errors'); <add> <add> <add>errors.E('TEST_ERROR_1', 'Error for testing purposes: %s', <add> Error); <add>{ <add> const err = new errors.codes.TEST_ERROR_1('test'); <add> assert(err instanceof Error); <add> assert.strictEqual(err.name, 'Error [TEST_ERROR_1]'); <add>} <add> <add>{ <add> errors.useOriginalName = true; <add> const err = new errors.codes.TEST_ERROR_1('test'); <add> assert(err instanceof Error); <add> assert.strictEqual(err.name, 'Error'); <add>} <add> <add>{ <add> errors.useOriginalName = false; <add> const err = new errors.codes.TEST_ERROR_1('test'); <add> assert(err instanceof Error); <add> assert.strictEqual(err.name, 'Error [TEST_ERROR_1]'); <add>}
2
PHP
PHP
simplify sone fqcn.
57c5672e12a9bcb6143134dc5644a2b45fe9d207
<ide><path>src/Illuminate/Auth/Access/Gate.php <ide> <ide> use Closure; <ide> use Exception; <add>use Illuminate\Auth\Access\Events\GateEvaluated; <ide> use Illuminate\Contracts\Auth\Access\Gate as GateContract; <ide> use Illuminate\Contracts\Container\Container; <ide> use Illuminate\Contracts\Events\Dispatcher; <ide> protected function dispatchGateEvaluatedEvent($user, $ability, array $arguments, <ide> { <ide> if ($this->container->bound(Dispatcher::class)) { <ide> $this->container->make(Dispatcher::class)->dispatch( <del> new Events\GateEvaluated($user, $ability, $result, $arguments) <add> new GateEvaluated($user, $ability, $result, $arguments) <ide> ); <ide> } <ide> } <ide><path>src/Illuminate/Queue/CallQueuedHandler.php <ide> protected function getCommand(array $data) <ide> protected function dispatchThroughMiddleware(Job $job, $command) <ide> { <ide> if ($command instanceof \__PHP_Incomplete_Class) { <del> throw new \Exception('Job is incomplete class: '.json_encode($command)); <add> throw new Exception('Job is incomplete class: '.json_encode($command)); <ide> } <ide> <ide> return (new Pipeline($this->container))->send($command) <ide><path>tests/Conditionable/ConditionableTest.php <ide> namespace Illuminate\Tests\Conditionable; <ide> <ide> use Illuminate\Database\Capsule\Manager as DB; <add>use Illuminate\Database\Eloquent\Builder; <ide> use Illuminate\Database\Eloquent\Model; <add>use Illuminate\Support\HigherOrderWhenProxy; <ide> use PHPUnit\Framework\TestCase; <ide> <ide> class ConditionableTest extends TestCase <ide> protected function setUp(): void <ide> <ide> public function testWhen(): void <ide> { <del> $this->assertInstanceOf(\Illuminate\Support\HigherOrderWhenProxy::class, TestConditionableModel::query()->when(true)); <del> $this->assertInstanceOf(\Illuminate\Support\HigherOrderWhenProxy::class, TestConditionableModel::query()->when(false)); <del> $this->assertInstanceOf(\Illuminate\Database\Eloquent\Builder::class, TestConditionableModel::query()->when(false, null)); <del> $this->assertInstanceOf(\Illuminate\Database\Eloquent\Builder::class, TestConditionableModel::query()->when(true, function () { <add> $this->assertInstanceOf(HigherOrderWhenProxy::class, TestConditionableModel::query()->when(true)); <add> $this->assertInstanceOf(HigherOrderWhenProxy::class, TestConditionableModel::query()->when(false)); <add> $this->assertInstanceOf(Builder::class, TestConditionableModel::query()->when(false, null)); <add> $this->assertInstanceOf(Builder::class, TestConditionableModel::query()->when(true, function () { <ide> })); <ide> } <ide> <ide> public function testUnless(): void <ide> { <del> $this->assertInstanceOf(\Illuminate\Support\HigherOrderWhenProxy::class, TestConditionableModel::query()->unless(true)); <del> $this->assertInstanceOf(\Illuminate\Support\HigherOrderWhenProxy::class, TestConditionableModel::query()->unless(false)); <del> $this->assertInstanceOf(\Illuminate\Database\Eloquent\Builder::class, TestConditionableModel::query()->unless(true, null)); <del> $this->assertInstanceOf(\Illuminate\Database\Eloquent\Builder::class, TestConditionableModel::query()->unless(false, function () { <add> $this->assertInstanceOf(HigherOrderWhenProxy::class, TestConditionableModel::query()->unless(true)); <add> $this->assertInstanceOf(HigherOrderWhenProxy::class, TestConditionableModel::query()->unless(false)); <add> $this->assertInstanceOf(Builder::class, TestConditionableModel::query()->unless(true, null)); <add> $this->assertInstanceOf(Builder::class, TestConditionableModel::query()->unless(false, function () { <ide> })); <ide> } <ide> } <ide><path>tests/Database/DatabaseEloquentFactoryTest.php <ide> <ide> namespace Illuminate\Tests\Database; <ide> <add>use BadMethodCallException; <ide> use Carbon\Carbon; <ide> use Faker\Generator; <ide> use Illuminate\Container\Container; <ide> use Illuminate\Tests\Database\Fixtures\Models\Money\Price; <ide> use Mockery as m; <ide> use PHPUnit\Framework\TestCase; <add>use ReflectionClass; <ide> <ide> class DatabaseEloquentFactoryTest extends TestCase <ide> { <ide> public function test_counted_sequence() <ide> ['name' => 'Dayle Rees'] <ide> ); <ide> <del> $class = new \ReflectionClass($factory); <add> $class = new ReflectionClass($factory); <ide> $prop = $class->getProperty('count'); <ide> $prop->setAccessible(true); <ide> $value = $prop->getValue($factory); <ide> public function test_dynamic_trashed_state_respects_existing_state() <ide> <ide> public function test_dynamic_trashed_state_throws_exception_when_not_a_softdeletes_model() <ide> { <del> $this->expectException(\BadMethodCallException::class); <add> $this->expectException(BadMethodCallException::class); <ide> FactoryTestUserFactory::new()->trashed()->create(); <ide> } <ide> <ide><path>tests/Database/DatabaseMySqlSchemaStateTest.php <ide> <ide> namespace Illuminate\Tests\Database; <ide> <add>use Generator; <ide> use Illuminate\Database\MySqlConnection; <ide> use Illuminate\Database\Schema\MySqlSchemaState; <ide> use PHPUnit\Framework\TestCase; <add>use ReflectionMethod; <ide> <ide> class DatabaseMySqlSchemaStateTest extends TestCase <ide> { <ide> public function testConnectionString(string $expectedConnectionString, array $ex <ide> $schemaState = new MySqlSchemaState($connection); <ide> <ide> // test connectionString <del> $method = new \ReflectionMethod(get_class($schemaState), 'connectionString'); <add> $method = new ReflectionMethod(get_class($schemaState), 'connectionString'); <ide> $connString = tap($method)->setAccessible(true)->invoke($schemaState); <ide> <ide> self::assertEquals($expectedConnectionString, $connString); <ide> <ide> // test baseVariables <del> $method = new \ReflectionMethod(get_class($schemaState), 'baseVariables'); <add> $method = new ReflectionMethod(get_class($schemaState), 'baseVariables'); <ide> $variables = tap($method)->setAccessible(true)->invoke($schemaState, $dbConfig); <ide> <ide> self::assertEquals($expectedVariables, $variables); <ide> } <ide> <del> public function provider(): \Generator <add> public function provider(): Generator <ide> { <ide> yield 'default' => [ <ide> ' --user="${:LARAVEL_LOAD_USER}" --password="${:LARAVEL_LOAD_PASSWORD}" --host="${:LARAVEL_LOAD_HOST}" --port="${:LARAVEL_LOAD_PORT}"', [ <ide><path>tests/Foundation/Testing/BootTraitsTest.php <ide> use Illuminate\Foundation\Testing\TestCase as FoundationTestCase; <ide> use Orchestra\Testbench\Concerns\CreatesApplication; <ide> use PHPUnit\Framework\TestCase; <add>use ReflectionMethod; <ide> <ide> trait TestTrait <ide> { <ide> public function testSetUpAndTearDownTraits() <ide> { <ide> $testCase = new TestCaseWithTrait; <ide> <del> $method = new \ReflectionMethod($testCase, 'setUpTraits'); <add> $method = new ReflectionMethod($testCase, 'setUpTraits'); <ide> tap($method)->setAccessible(true)->invoke($testCase); <ide> <ide> $this->assertTrue($testCase->setUp); <ide> <del> $method = new \ReflectionMethod($testCase, 'callBeforeApplicationDestroyedCallbacks'); <add> $method = new ReflectionMethod($testCase, 'callBeforeApplicationDestroyedCallbacks'); <ide> tap($method)->setAccessible(true)->invoke($testCase); <ide> <ide> $this->assertTrue($testCase->tearDown); <ide><path>tests/Integration/Database/DatabaseEloquentModelCustomCastingTest.php <ide> <ide> namespace Illuminate\Tests\Integration\Database; <ide> <add>use Exception; <ide> use Illuminate\Contracts\Database\Eloquent\Castable; <ide> use Illuminate\Contracts\Database\Eloquent\CastsAttributes; <ide> use Illuminate\Contracts\Database\Eloquent\CastsInboundAttributes; <ide> public function set($model, string $key, $value, array $attributes): ?string <ide> } <ide> <ide> if (! $value instanceof Settings) { <del> throw new \Exception("Attribute `{$key}` with JsonSettingsCaster should be a Settings object"); <add> throw new Exception("Attribute `{$key}` with JsonSettingsCaster should be a Settings object"); <ide> } <ide> <ide> return $value->toJson(); <ide><path>tests/Support/SupportStrTest.php <ide> <ide> namespace Illuminate\Tests\Support; <ide> <add>use Exception; <ide> use Illuminate\Support\Str; <ide> use PHPUnit\Framework\TestCase; <ide> use Ramsey\Uuid\UuidInterface; <ide> public function testItCanSpecifyASequenceOfRandomStringsToUtilise() <ide> <ide> public function testItCanSpecifyAFallbackForARandomStringSequence() <ide> { <del> Str::createRandomStringsUsingSequence([Str::random(), Str::random()], fn () => throw new \Exception('Out of random strings.')); <add> Str::createRandomStringsUsingSequence([Str::random(), Str::random()], fn () => throw new Exception('Out of random strings.')); <ide> Str::random(); <ide> Str::random(); <ide> <ide> public function testItCanSpecifyASequenceOfUuidsToUtilise() <ide> <ide> public function testItCanSpecifyAFallbackForASequence() <ide> { <del> Str::createUuidsUsingSequence([Str::uuid(), Str::uuid()], fn () => throw new \Exception('Out of Uuids.')); <add> Str::createUuidsUsingSequence([Str::uuid(), Str::uuid()], fn () => throw new Exception('Out of Uuids.')); <ide> Str::uuid(); <ide> Str::uuid(); <ide> <ide><path>tests/Testing/TestResponseTest.php <ide> use Illuminate\Container\Container; <ide> use Illuminate\Contracts\View\View; <ide> use Illuminate\Cookie\CookieValuePrefix; <add>use Illuminate\Database\Eloquent\Collection as EloquentCollection; <ide> use Illuminate\Database\Eloquent\Model; <ide> use Illuminate\Encryption\Encrypter; <ide> use Illuminate\Filesystem\Filesystem; <ide> public function testAssertViewHasWithNestedValue() <ide> <ide> public function testAssertViewHasEloquentCollection() <ide> { <del> $collection = new \Illuminate\Database\Eloquent\Collection([ <add> $collection = new EloquentCollection([ <ide> new TestModel(['id' => 1]), <ide> new TestModel(['id' => 2]), <ide> new TestModel(['id' => 3]), <ide> public function testAssertViewHasEloquentCollection() <ide> <ide> public function testAssertViewHasEloquentCollectionRespectsOrder() <ide> { <del> $collection = new \Illuminate\Database\Eloquent\Collection([ <add> $collection = new EloquentCollection([ <ide> new TestModel(['id' => 3]), <ide> new TestModel(['id' => 2]), <ide> new TestModel(['id' => 1]), <ide> public function testAssertViewHasEloquentCollectionRespectsOrder() <ide> <ide> public function testAssertViewHasEloquentCollectionRespectsType() <ide> { <del> $actual = new \Illuminate\Database\Eloquent\Collection([ <add> $actual = new EloquentCollection([ <ide> new TestModel(['id' => 1]), <ide> new TestModel(['id' => 2]), <ide> ]); <ide> public function testAssertViewHasEloquentCollectionRespectsType() <ide> 'gatherData' => ['foos' => $actual], <ide> ]); <ide> <del> $expected = new \Illuminate\Database\Eloquent\Collection([ <add> $expected = new EloquentCollection([ <ide> new AnotherTestModel(['id' => 1]), <ide> new AnotherTestModel(['id' => 2]), <ide> ]); <ide> public function testAssertViewHasEloquentCollectionRespectsType() <ide> <ide> public function testAssertViewHasEloquentCollectionRespectsSize() <ide> { <del> $actual = new \Illuminate\Database\Eloquent\Collection([ <add> $actual = new EloquentCollection([ <ide> new TestModel(['id' => 1]), <ide> new TestModel(['id' => 2]), <ide> ]); <ide><path>tests/View/Blade/BladeComponentsTest.php <ide> <ide> use Illuminate\View\Component; <ide> use Illuminate\View\ComponentAttributeBag; <add>use Illuminate\View\Factory; <ide> use Mockery as m; <ide> <ide> class BladeComponentsTest extends AbstractBladeTestCase <ide> public function testPropsAreExtractedFromParentAttributesCorrectlyForClassCompon <ide> $component->shouldReceive('withName', 'test'); <ide> $component->shouldReceive('shouldRender')->andReturn(false); <ide> <del> $__env = m::mock(\Illuminate\View\Factory::class); <add> $__env = m::mock(Factory::class); <ide> $__env->shouldReceive('getContainer->make')->with('Test', ['foo' => 'bar', 'other' => 'ok'])->andReturn($component); <ide> <ide> $template = $this->compiler->compileString('@component(\'Test::class\', \'test\', ["foo" => "bar"])');
10
Python
Python
fix xrange import
f893da6d95c1feff49576548d6cc75415e42118c
<ide><path>research/attention_ocr/python/model_test.py <ide> """Tests for the model.""" <ide> <ide> import numpy as np <del>from six import xrange <add>from six.moves import xrange <ide> import string <ide> import tensorflow as tf <ide> from tensorflow.contrib import slim
1
PHP
PHP
replace settimeout() with expire()
e5605aaab57772159a97089d0aeeaaec34b9f3ae
<ide><path>src/Cache/Engine/RedisEngine.php <ide> public function increment($key, $offset = 1) <ide> <ide> $value = (int)$this->_Redis->incrBy($key, $offset); <ide> if ($duration > 0) { <del> $this->_Redis->setTimeout($key, $duration); <add> $this->_Redis->expire($key, $duration); <ide> } <ide> <ide> return $value; <ide> public function decrement($key, $offset = 1) <ide> <ide> $value = (int)$this->_Redis->decrBy($key, $offset); <ide> if ($duration > 0) { <del> $this->_Redis->setTimeout($key, $duration); <add> $this->_Redis->expire($key, $duration); <ide> } <ide> <ide> return $value; <ide> public function add($key, $value) <ide> <ide> // setNx() doesn't have an expiry option, so follow up with an expiry <ide> if ($this->_Redis->setNx($key, $value)) { <del> return $this->_Redis->setTimeout($key, $duration); <add> return $this->_Redis->expire($key, $duration); <ide> } <ide> <ide> return false;
1
Java
Java
fix typo in java doc
3165b3c024ed5a782790d4b531e4b87831bd0b29
<ide><path>spring-web/src/main/java/org/springframework/web/util/UriUtils.java <ide> public static String encodeFragment(String fragment, Charset charset) { <ide> <ide> <ide> /** <del> * Variant of {@link #decode(String, Charset)} with a String charset. <add> * Variant of {@link #encode(String, Charset)} with a String charset. <ide> * @param source the String to be encoded <ide> * @param encoding the character encoding to encode to <ide> * @return the encoded String
1
Javascript
Javascript
adjust cursor scope when at end of line
47c0a1451719980a0a6dc3ee31824c42878a8e74
<ide><path>spec/tree-sitter-language-mode-spec.js <ide> describe('TreeSitterLanguageMode', () => { <ide> parser: 'tree-sitter-javascript', <ide> scopes: { <ide> program: 'source.js', <del> property_identifier: 'property.name' <add> property_identifier: 'property.name', <add> comment: 'comment.block' <ide> } <ide> }) <ide> <ide> describe('TreeSitterLanguageMode', () => { <ide> 'source.js', <ide> 'property.name' <ide> ]) <add> <add> buffer.setText('// baz\n') <add> <add> // Adjust position when at end of line <add> buffer.setLanguageMode(new TreeSitterLanguageMode({buffer, grammar})) <add> expect(editor.scopeDescriptorForBufferPosition([0, '// baz'.length]).getScopesArray()).toEqual([ <add> 'source.js', <add> 'comment.block' <add> ]) <ide> }) <ide> <ide> it('includes nodes in injected syntax trees', async () => { <ide> describe('TreeSitterLanguageMode', () => { <ide> 'pair', <ide> 'property_identifier' <ide> ]) <add> <add> buffer.setText('//bar\n') <add> <add> buffer.setLanguageMode(new TreeSitterLanguageMode({buffer, grammar})) <add> expect(editor.syntaxTreeScopeDescriptorForBufferPosition([0, 5]).getScopesArray()).toEqual([ <add> 'source.js', <add> 'program', <add> 'comment' <add> ]) <ide> }) <ide> <ide> it('includes nodes in injected syntax trees', async () => { <ide><path>src/tree-sitter-language-mode.js <ide> class TreeSitterLanguageMode { <ide> <ide> syntaxTreeScopeDescriptorForPosition (point) { <ide> const nodes = [] <del> point = Point.fromObject(point) <add> point = this.buffer.clipPosition(Point.fromObject(point)) <add> <add> // If the position is the end of a line, get node of left character instead of newline <add> // This is to match TextMate behaviour, see https://github.com/atom/atom/issues/18463 <add> if (point.column > 0 && point.column === this.buffer.lineLengthForRow(point.row)) { <add> point = point.copy() <add> point.column-- <add> } <add> <ide> this._forEachTreeWithRange(new Range(point, point), tree => { <ide> let node = tree.rootNode.descendantForPosition(point) <ide> while (node) { <ide> class TreeSitterLanguageMode { <ide> } <ide> <ide> scopeDescriptorForPosition (point) { <del> point = Point.fromObject(point) <add> point = this.buffer.clipPosition(Point.fromObject(point)) <add> <add> // If the position is the end of a line, get scope of left character instead of newline <add> // This is to match TextMate behaviour, see https://github.com/atom/atom/issues/18463 <add> if (point.column > 0 && point.column === this.buffer.lineLengthForRow(point.row)) { <add> point = point.copy() <add> point.column-- <add> } <add> <ide> const iterator = this.buildHighlightIterator() <ide> const scopes = [] <ide> for (const scope of iterator.seek(point, point.row + 1)) {
2
Mixed
Javascript
add feature yank and yank pop
2f1700463b328e9c19866912f6bf3efef435f0f6
<ide><path>doc/api/readline.md <ide> const { createInterface } = require('readline'); <ide> <td>Delete from the current position to the end of line</td> <ide> <td></td> <ide> </tr> <add> <tr> <add> <td><kbd>Ctrl</kbd>+<kbd>Y</kbd></td> <add> <td>Yank (Recall) the previously deleted text</td> <add> <td>Only works with text deleted by <kbd>Ctrl</kbd>+<kbd>U</kbd> or <kbd>Ctrl</kbd>+<kbd>K</kbd></td> <add> </tr> <add> <tr> <add> <td><kbd>Meta</kbd>+<kbd>Y</kbd></td> <add> <td>Cycle among previously deleted lines</td> <add> <td>Only available when the last keystroke is <kbd>Ctrl</kbd>+<kbd>Y</kbd></td> <add> </tr> <ide> <tr> <ide> <td><kbd>Ctrl</kbd>+<kbd>A</kbd></td> <ide> <td>Go to start of line</td> <ide><path>lib/internal/readline/interface.js <ide> const kQuestionCancel = Symbol('kQuestionCancel'); <ide> // GNU readline library - keyseq-timeout is 500ms (default) <ide> const ESCAPE_CODE_TIMEOUT = 500; <ide> <add>// Max length of the kill ring <add>const kMaxLengthOfKillRing = 32; <add> <ide> const kAddHistory = Symbol('_addHistory'); <ide> const kBeforeEdit = Symbol('_beforeEdit'); <ide> const kDecoder = Symbol('_decoder'); <ide> const kHistoryPrev = Symbol('_historyPrev'); <ide> const kInsertString = Symbol('_insertString'); <ide> const kLine = Symbol('_line'); <ide> const kLine_buffer = Symbol('_line_buffer'); <add>const kKillRing = Symbol('_killRing'); <add>const kKillRingCursor = Symbol('_killRingCursor'); <ide> const kMoveCursor = Symbol('_moveCursor'); <ide> const kNormalWrite = Symbol('_normalWrite'); <ide> const kOldPrompt = Symbol('_oldPrompt'); <ide> const kOnLine = Symbol('_onLine'); <ide> const kPreviousKey = Symbol('_previousKey'); <ide> const kPrompt = Symbol('_prompt'); <add>const kPushToKillRing = Symbol('_pushToKillRing'); <ide> const kPushToUndoStack = Symbol('_pushToUndoStack'); <ide> const kQuestionCallback = Symbol('_questionCallback'); <ide> const kRedo = Symbol('_redo'); <ide> const kUndoStack = Symbol('_undoStack'); <ide> const kWordLeft = Symbol('_wordLeft'); <ide> const kWordRight = Symbol('_wordRight'); <ide> const kWriteToOutput = Symbol('_writeToOutput'); <add>const kYank = Symbol('_yank'); <add>const kYanking = Symbol('_yanking'); <add>const kYankPop = Symbol('_yankPop'); <ide> <ide> function InterfaceConstructor(input, output, completer, terminal) { <ide> this[kSawReturnAt] = 0; <ide> function InterfaceConstructor(input, output, completer, terminal) { <ide> this[kRedoStack] = []; <ide> this.history = history; <ide> this.historySize = historySize; <add> <add> // The kill ring is a global list of blocks of text that were previously <add> // killed (deleted). If its size exceeds kMaxLengthOfKillRing, the oldest <add> // element will be removed to make room for the latest deletion. With kill <add> // ring, users are able to recall (yank) or cycle (yank pop) among previously <add> // killed texts, quite similar to the behavior of Emacs. <add> this[kKillRing] = []; <add> this[kKillRingCursor] = 0; <add> <ide> this.removeHistoryDuplicates = !!removeHistoryDuplicates; <ide> this.crlfDelay = crlfDelay ? <ide> MathMax(kMincrlfDelay, crlfDelay) : <ide> class Interface extends InterfaceConstructor { <ide> this.cursor += c.length; <ide> this[kRefreshLine](); <ide> } else { <add> const oldPos = this.getCursorPos(); <ide> this.line += c; <ide> this.cursor += c.length; <add> const newPos = this.getCursorPos(); <ide> <del> if (this.getCursorPos().cols === 0) { <add> if (oldPos.rows < newPos.rows) { <ide> this[kRefreshLine](); <ide> } else { <ide> this[kWriteToOutput](c); <ide> class Interface extends InterfaceConstructor { <ide> <ide> [kDeleteLineLeft]() { <ide> this[kBeforeEdit](this.line, this.cursor); <add> const del = StringPrototypeSlice(this.line, 0, this.cursor); <ide> this.line = StringPrototypeSlice(this.line, this.cursor); <ide> this.cursor = 0; <add> this[kPushToKillRing](del); <ide> this[kRefreshLine](); <ide> } <ide> <ide> [kDeleteLineRight]() { <ide> this[kBeforeEdit](this.line, this.cursor); <add> const del = StringPrototypeSlice(this.line, this.cursor); <ide> this.line = StringPrototypeSlice(this.line, 0, this.cursor); <add> this[kPushToKillRing](del); <ide> this[kRefreshLine](); <ide> } <ide> <add> [kPushToKillRing](del) { <add> if (!del || del === this[kKillRing][0]) return; <add> ArrayPrototypeUnshift(this[kKillRing], del); <add> this[kKillRingCursor] = 0; <add> while (this[kKillRing].length > kMaxLengthOfKillRing) <add> ArrayPrototypePop(this[kKillRing]); <add> } <add> <add> [kYank]() { <add> if (this[kKillRing].length > 0) { <add> this[kYanking] = true; <add> this[kInsertString](this[kKillRing][this[kKillRingCursor]]); <add> } <add> } <add> <add> [kYankPop]() { <add> if (!this[kYanking]) { <add> return; <add> } <add> if (this[kKillRing].length > 1) { <add> const lastYank = this[kKillRing][this[kKillRingCursor]]; <add> this[kKillRingCursor]++; <add> if (this[kKillRingCursor] >= this[kKillRing].length) { <add> this[kKillRingCursor] = 0; <add> } <add> const currentYank = this[kKillRing][this[kKillRingCursor]]; <add> const head = <add> StringPrototypeSlice(this.line, 0, this.cursor - lastYank.length); <add> const tail = <add> StringPrototypeSlice(this.line, this.cursor); <add> this.line = head + currentYank + tail; <add> this.cursor = head.length + currentYank.length; <add> this[kRefreshLine](); <add> } <add> } <add> <ide> clearLine() { <ide> this[kMoveCursor](+Infinity); <ide> this[kWriteToOutput]('\r\n'); <ide> class Interface extends InterfaceConstructor { <ide> key = key || {}; <ide> this[kPreviousKey] = key; <ide> <add> if (!key.meta || key.name !== 'y') { <add> // Reset yanking state unless we are doing yank pop. <add> this[kYanking] = false; <add> } <add> <ide> // Activate or deactivate substring search. <ide> if ( <ide> (key.name === 'up' || key.name === 'down') && <ide> class Interface extends InterfaceConstructor { <ide> this[kHistoryPrev](); <ide> break; <ide> <add> case 'y': // Yank killed string <add> this[kYank](); <add> break; <add> <ide> case 'z': <ide> if (process.platform === 'win32') break; <ide> if (this.listenerCount('SIGTSTP') > 0) { <ide> class Interface extends InterfaceConstructor { <ide> case 'backspace': // Delete backwards to a word boundary <ide> this[kDeleteWordLeft](); <ide> break; <add> <add> case 'y': // Doing yank pop <add> this[kYankPop](); <add> break; <ide> } <ide> } else { <ide> /* No modifier keys used */ <ide><path>test/parallel/test-readline-interface.js <ide> function assertCursorRowsAndCols(rli, rows, cols) { <ide> rli.close(); <ide> } <ide> <add>// yank <add>{ <add> const [rli, fi] = getInterface({ terminal: true, prompt: '' }); <add> fi.emit('data', 'the quick brown fox'); <add> assertCursorRowsAndCols(rli, 0, 19); <add> <add> // Go to the start of the line <add> fi.emit('keypress', '.', { ctrl: true, name: 'a' }); <add> // Move forward one char <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> // Delete the right part <add> fi.emit('keypress', '.', { ctrl: true, shift: true, name: 'delete' }); <add> assertCursorRowsAndCols(rli, 0, 1); <add> <add> // Yank <add> fi.emit('keypress', '.', { ctrl: true, name: 'y' }); <add> assertCursorRowsAndCols(rli, 0, 19); <add> <add> rli.on('line', common.mustCall((line) => { <add> assert.strictEqual(line, 'the quick brown fox'); <add> })); <add> <add> fi.emit('data', '\n'); <add> rli.close(); <add>} <add> <add>// yank pop <add>{ <add> const [rli, fi] = getInterface({ terminal: true, prompt: '' }); <add> fi.emit('data', 'the quick brown fox'); <add> assertCursorRowsAndCols(rli, 0, 19); <add> <add> // Go to the start of the line <add> fi.emit('keypress', '.', { ctrl: true, name: 'a' }); <add> // Move forward one char <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> // Delete the right part <add> fi.emit('keypress', '.', { ctrl: true, shift: true, name: 'delete' }); <add> assertCursorRowsAndCols(rli, 0, 1); <add> // Yank <add> fi.emit('keypress', '.', { ctrl: true, name: 'y' }); <add> assertCursorRowsAndCols(rli, 0, 19); <add> <add> // Go to the start of the line <add> fi.emit('keypress', '.', { ctrl: true, name: 'a' }); <add> // Move forward four chars <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> fi.emit('keypress', '.', { ctrl: true, name: 'f' }); <add> // Delete the right part <add> fi.emit('keypress', '.', { ctrl: true, shift: true, name: 'delete' }); <add> assertCursorRowsAndCols(rli, 0, 4); <add> // Go to the start of the line <add> fi.emit('keypress', '.', { ctrl: true, name: 'a' }); <add> assertCursorRowsAndCols(rli, 0, 0); <add> <add> // Yank: 'quick brown fox|the ' <add> fi.emit('keypress', '.', { ctrl: true, name: 'y' }); <add> // Yank pop: 'he quick brown fox|the' <add> fi.emit('keypress', '.', { meta: true, name: 'y' }); <add> assertCursorRowsAndCols(rli, 0, 18); <add> <add> rli.on('line', common.mustCall((line) => { <add> assert.strictEqual(line, 'he quick brown foxthe '); <add> })); <add> <add> fi.emit('data', '\n'); <add> rli.close(); <add>} <add> <ide> // Close readline interface <ide> { <ide> const [rli, fi] = getInterface({ terminal: true, prompt: '' });
3
Ruby
Ruby
remove docs on multiple applications
a86c54add187e60faca7b2e52492f5a0f8d512d0
<ide><path>railties/lib/rails/application.rb <ide> module Rails <ide> # 9) Build the middleware stack and run to_prepare callbacks <ide> # 10) Run config.before_eager_load and eager_load! if eager_load is true <ide> # 11) Run config.after_initialize callbacks <del> # <del> # == Multiple Applications <del> # <del> # If you decide to define multiple applications, then the first application <del> # that is initialized will be set to +Rails.application+, unless you override <del> # it with a different application. <del> # <del> # To create a new application, you can instantiate a new instance of a class <del> # that has already been created: <del> # <del> # class Application < Rails::Application <del> # end <del> # <del> # first_application = Application.new <del> # second_application = Application.new(config: first_application.config) <del> # <del> # In the above example, the configuration from the first application was used <del> # to initialize the second application. You can also use the +initialize_copy+ <del> # on one of the applications to create a copy of the application which shares <del> # the configuration. <del> # <del> # If you decide to define Rake tasks, runners, or initializers in an <del> # application other than +Rails.application+, then you must run them manually. <ide> class Application < Engine <ide> autoload :Bootstrap, "rails/application/bootstrap" <ide> autoload :Configuration, "rails/application/configuration"
1
Javascript
Javascript
add summery blurb to landing page
16271ce365a502e21652df0d6ac8374186fcdcd7
<add><path>website/src/react-native/index.js <del><path>website/src/react-native/_index.js <ide> var index = React.createClass({ <ide> </div> <ide> <ide> <section className="content wrap"> <add> <div style={{margin: '40px auto', width: 800}}> <add> <add> <p> <add> React Native enables you to build world-class application experiences on native platforms using a consistent developer experience based on JavaScript and <add> {' '}<a href="http://facebook.github.io/react/" >React</a>{'. '} <add> The focus of React Native is on developer efficiency across all the platforms you care about - learn once, write anywhere. <add> Facebook uses React Native in multiple production apps and will continue investing in React Native. <add> </p> <add> </div> <ide> <ide> <div className="buttons-unit"> <ide> <a href="docs/getting-started.html#content" className="button">Get started with React Native</a> <ide> </div> <ide> <del> <div style={{margin: '60px auto', width: 800}}> <add> <div style={{margin: '40px auto', width: 800}}> <ide> <ide> <h2>Native iOS Components</h2> <ide> <p>
1
Mixed
Ruby
add `strict_loading` mode to prevent lazy loading
dbb92f8a779bd25ab9e5118118ceff24fc9e7439
<ide><path>activerecord/CHANGELOG.md <add>* Add support for `strict_loading` mode to prevent lazy loading of records. <add> <add> Raise an error if a parent record is marked as `strict_loading` and attempts to lazily load its associations. This is useful for finding places you may want to preload an association and avoid additional queries. <add> <add> Usage: <add> <add> ``` <add> >> Developer.strict_loading.first <add> >> dev.audit_logs.to_a <add> => ActiveRecord::StrictLoadingViolationError: Developer is marked as strict_loading and AuditLog cannot be lazily loaded. <add> ``` <add> <add> *Eileen M. Uchitelle*, *Aaron Patterson* <add> <ide> * Add support for PostgreSQL 11+ partitioned indexes when using `upsert_all`. <ide> <ide> *Sebastián Palma* <ide><path>activerecord/lib/active_record/associations/association.rb <ide> def scoping(relation, &block) <ide> <ide> private <ide> def find_target <add> if owner.strict_loading? <add> raise StrictLoadingViolationError, "#{owner.class} is marked as strict_loading and #{klass} cannot be lazily loaded." <add> end <add> <ide> scope = self.scope <ide> return scope.to_a if skip_statement_cache?(scope) <ide> <ide><path>activerecord/lib/active_record/associations/collection_association.rb <ide> def null_scope? <ide> <ide> def find_from_target? <ide> loaded? || <add> owner.strict_loading? || <ide> owner.new_record? || <ide> target.any? { |record| record.new_record? || record.changed? } <ide> end <ide><path>activerecord/lib/active_record/associations/join_dependency.rb <ide> def join_constraints(joins_to_add, alias_tracker) <ide> } <ide> end <ide> <del> def instantiate(result_set, &block) <add> def instantiate(result_set, strict_loading_value, &block) <ide> primary_key = aliases.column_alias(join_root, join_root.primary_key) <ide> <ide> seen = Hash.new { |i, object_id| <ide> def instantiate(result_set, &block) <ide> result_set.each { |row_hash| <ide> parent_key = primary_key ? row_hash[primary_key] : row_hash <ide> parent = parents[parent_key] ||= join_root.instantiate(row_hash, column_aliases, &block) <del> construct(parent, join_root, row_hash, seen, model_cache) <add> construct(parent, join_root, row_hash, seen, model_cache, strict_loading_value) <ide> } <ide> end <ide> <ide> def build(associations, base_klass) <ide> end <ide> end <ide> <del> def construct(ar_parent, parent, row, seen, model_cache) <add> def construct(ar_parent, parent, row, seen, model_cache, strict_loading_value) <ide> return if ar_parent.nil? <ide> <ide> parent.children.each do |node| <ide> def construct(ar_parent, parent, row, seen, model_cache) <ide> other.loaded! <ide> elsif ar_parent.association_cached?(node.reflection.name) <ide> model = ar_parent.association(node.reflection.name).target <del> construct(model, node, row, seen, model_cache) <add> construct(model, node, row, seen, model_cache, strict_loading_value) <ide> next <ide> end <ide> <ide> def construct(ar_parent, parent, row, seen, model_cache) <ide> model = seen[ar_parent.object_id][node][id] <ide> <ide> if model <del> construct(model, node, row, seen, model_cache) <add> construct(model, node, row, seen, model_cache, strict_loading_value) <ide> else <del> model = construct_model(ar_parent, node, row, model_cache, id) <add> model = construct_model(ar_parent, node, row, model_cache, id, strict_loading_value) <ide> <ide> seen[ar_parent.object_id][node][id] = model <del> construct(model, node, row, seen, model_cache) <add> construct(model, node, row, seen, model_cache, strict_loading_value) <ide> end <ide> end <ide> end <ide> <del> def construct_model(record, node, row, model_cache, id) <add> def construct_model(record, node, row, model_cache, id, strict_loading_value) <ide> other = record.association(node.reflection.name) <ide> <ide> model = model_cache[node][id] ||= <ide> node.instantiate(row, aliases.column_aliases(node)) do |m| <add> m.strict_loading! if strict_loading_value <ide> other.set_inverse_instance(m) <ide> end <ide> <ide> def construct_model(record, node, row, model_cache, id) <ide> end <ide> <ide> model.readonly! if node.readonly? <add> model.strict_loading! if node.strict_loading? <ide> model <ide> end <ide> end <ide><path>activerecord/lib/active_record/associations/join_dependency/join_association.rb <ide> def readonly? <ide> @readonly = reflection.scope && reflection.scope_for(base_klass.unscoped).readonly_value <ide> end <ide> <add> def strict_loading? <add> return @strict_loading if defined?(@strict_loading) <add> <add> @strict_loading = reflection.scope && reflection.scope_for(base_klass.unscoped).strict_loading_value <add> end <add> <ide> private <ide> def append_constraints(join, constraints) <ide> if join.is_a?(Arel::Nodes::StringJoin) <ide><path>activerecord/lib/active_record/associations/preloader/association.rb <ide> def build_scope <ide> end <ide> <ide> scope.merge!(reflection_scope) if reflection.scope <del> scope.merge!(preload_scope) if preload_scope <del> scope <add> <add> if preload_scope && !preload_scope.empty_scope? <add> scope.merge!(preload_scope) <add> end <add> <add> if preload_scope && preload_scope.strict_loading_value <add> scope.strict_loading <add> else <add> scope <add> end <ide> end <ide> end <ide> end <ide><path>activerecord/lib/active_record/core.rb <ide> def readonly? <ide> @readonly <ide> end <ide> <add> def strict_loading? <add> @strict_loading <add> end <add> <add> def strict_loading! <add> @strict_loading = true <add> end <add> <ide> # Marks this record as read only. <ide> def readonly! <ide> @readonly = true <ide> def init_internals <ide> @destroyed_by_association = nil <ide> @_start_transaction_state = nil <ide> @transaction_state = nil <add> @strict_loading = false <ide> <ide> self.class.define_attribute_methods <ide> end <ide><path>activerecord/lib/active_record/errors.rb <ide> class ConfigurationError < ActiveRecordError <ide> class ReadOnlyRecord < ActiveRecordError <ide> end <ide> <add> # Raised on attempt to lazily load records that are marked as strict loading. <add> class StrictLoadingViolationError < ActiveRecordError <add> end <add> <ide> # {ActiveRecord::Base.transaction}[rdoc-ref:Transactions::ClassMethods#transaction] <ide> # uses this exception to distinguish a deliberate rollback from other exceptional situations. <ide> # Normally, raising an exception will cause the <ide><path>activerecord/lib/active_record/querying.rb <ide> module Querying <ide> :where, :rewhere, :preload, :extract_associated, :eager_load, :includes, :from, :lock, :readonly, :extending, :or, <ide> :having, :create_with, :distinct, :references, :none, :unscope, :optimizer_hints, :merge, :except, :only, <ide> :count, :average, :minimum, :maximum, :sum, :calculate, :annotate, <del> :pluck, :pick, :ids <add> :pluck, :pick, :ids, :strict_loading <ide> ].freeze # :nodoc: <ide> delegate(*QUERYING_METHODS, to: :all) <ide> <ide><path>activerecord/lib/active_record/relation.rb <ide> class Relation <ide> :order, :joins, :left_outer_joins, :references, <ide> :extending, :unscope, :optimizer_hints, :annotate] <ide> <del> SINGLE_VALUE_METHODS = [:limit, :offset, :lock, :readonly, :reordering, <add> SINGLE_VALUE_METHODS = [:limit, :offset, :lock, :readonly, :reordering, :strict_loading, <ide> :reverse_order, :distinct, :create_with, :skip_query_cache] <ide> <ide> CLAUSE_METHODS = [:where, :having, :from] <ide> def alias_tracker(joins = [], aliases = nil) # :nodoc: <ide> ActiveRecord::Associations::AliasTracker.create(connection, table.name, joins) <ide> end <ide> <add> class StrictLoadingScope <add> def self.empty_scope? <add> true <add> end <add> <add> def self.strict_loading_value <add> true <add> end <add> end <add> <ide> def preload_associations(records) # :nodoc: <ide> preload = preload_values <ide> preload += includes_values unless eager_loading? <ide> preloader = nil <add> scope = strict_loading_value ? StrictLoadingScope : nil <ide> preload.each do |associations| <ide> preloader ||= build_preloader <del> preloader.preload records, associations <add> preloader.preload records, associations, scope <ide> end <ide> end <ide> <ide> def exec_queries(&block) <ide> else <ide> relation = join_dependency.apply_column_aliases(relation) <ide> rows = connection.select_all(relation.arel, "SQL") <del> join_dependency.instantiate(rows, &block) <add> join_dependency.instantiate(rows, strict_loading_value, &block) <ide> end.freeze <ide> end <ide> else <ide> def exec_queries(&block) <ide> preload_associations(records) unless skip_preloading_value <ide> <ide> records.each(&:readonly!) if readonly_value <add> records.each(&:strict_loading!) if strict_loading_value <ide> <ide> records <ide> end <ide><path>activerecord/lib/active_record/relation/query_methods.rb <ide> def readonly!(value = true) # :nodoc: <ide> self <ide> end <ide> <add> # Sets the returned relation to strict_loading mode. This will raise an error <add> # if the record tries to lazily load an association. <add> # <add> # user = User.first.strict_loading <add> # user.comments.to_a <add> # => ActiveRecord::StrictLoadingViolationError <add> def strict_loading(value = true) <add> spawn.strict_loading!(value) <add> end <add> <add> def strict_loading!(value = true) # :nodoc: <add> self.strict_loading_value = value <add> self <add> end <add> <ide> # Sets attributes to be used when creating new records from a <ide> # relation object. <ide> # <ide><path>activerecord/test/cases/relation/mutation_test.rb <ide> class RelationMutationTest < ActiveRecord::TestCase <ide> assert_equal [], relation.extending_values <ide> end <ide> <del> (Relation::SINGLE_VALUE_METHODS - [:lock, :reordering, :reverse_order, :create_with, :skip_query_cache]).each do |method| <add> (Relation::SINGLE_VALUE_METHODS - [:lock, :reordering, :reverse_order, :create_with, :skip_query_cache, :strict_loading]).each do |method| <ide> test "##{method}!" do <ide> assert relation.public_send("#{method}!", :foo).equal?(relation) <ide> assert_equal :foo, relation.public_send("#{method}_value") <ide><path>activerecord/test/cases/strict_loading_test.rb <add># frozen_string_literal: true <add> <add>require "cases/helper" <add>require "models/developer" <add>require "models/computer" <add> <add>class StrictLoadingTest < ActiveRecord::TestCase <add> fixtures :developers <add> <add> def test_strict_loading <add> Developer.all.each { |d| assert_not d.strict_loading? } <add> Developer.strict_loading.each { |d| assert d.strict_loading? } <add> end <add> <add> def test_raises_if_strict_loading_and_lazy_loading <add> dev = Developer.strict_loading.first <add> assert_predicate dev, :strict_loading? <add> <add> assert_raises ActiveRecord::StrictLoadingViolationError do <add> dev.audit_logs.to_a <add> end <add> end <add> <add> def test_preload_audit_logs_are_strict_loading_because_parent_is_strict_loading <add> developer = Developer.first <add> <add> 3.times do <add> AuditLog.create(developer: developer, message: "I am message") <add> end <add> <add> dev = Developer.includes(:audit_logs).strict_loading.first <add> <add> assert_predicate dev, :strict_loading? <add> assert dev.audit_logs.all?(&:strict_loading?), "Expected all audit logs to be strict_loading" <add> end <add> <add> def test_eager_load_audit_logs_are_strict_loading_because_parent_is_strict_loading_in_hm_relation <add> developer = Developer.first <add> <add> 3.times do <add> AuditLog.create(developer: developer, message: "I am message") <add> end <add> <add> dev = Developer.eager_load(:strict_loading_audit_logs).first <add> <add> assert dev.strict_loading_audit_logs.all?(&:strict_loading?), "Expected all audit logs to be strict_loading" <add> end <add> <add> def test_eager_load_audit_logs_are_strict_loading_because_parent_is_strict_loading <add> developer = Developer.first <add> <add> 3.times do <add> AuditLog.create(developer: developer, message: "I am message") <add> end <add> <add> dev = Developer.eager_load(:audit_logs).strict_loading.first <add> <add> assert_predicate dev, :strict_loading? <add> assert dev.audit_logs.all?(&:strict_loading?), "Expected all audit logs to be strict_loading" <add> end <add> <add> def test_raises_on_unloaded_relation_methods_if_strict_loading <add> dev = Developer.strict_loading.first <add> assert_predicate dev, :strict_loading? <add> <add> assert_raises ActiveRecord::StrictLoadingViolationError do <add> dev.audit_logs.first <add> end <add> end <add>end <ide><path>activerecord/test/models/developer.rb <ide> def find_least_recent <ide> class_name: "SpecialProject" <ide> <ide> has_many :audit_logs <add> has_many :strict_loading_audit_logs, -> { strict_loading }, class_name: "AuditLog" <ide> has_many :contracts <ide> has_many :firms, through: :contracts, source: :firm <ide> has_many :comments, ->(developer) { where(body: "I'm #{developer.name}") }
14
PHP
PHP
add file to optimize
2da3d433e57975198c9c3f4d000e8bf6359ceddb
<ide><path>src/Illuminate/Foundation/Console/Optimize/config.php <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Cookie/QueueingFactory.php', <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Encryption/Encrypter.php', <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Queue/QueueableEntity.php', <add> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Routing/BindingRegistrar.php', <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Routing/Registrar.php', <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Routing/ResponseFactory.php', <ide> $basePath.'/vendor/laravel/framework/src/Illuminate/Contracts/Routing/UrlGenerator.php',
1
Text
Text
add german contributing.md
757ab079ffaace6f269f0eee6d679c4d6da41855
<ide><path>docs/german/CONTRIBUTING.md <add><table> <add> <tr> <add> <!-- Do not translate this table --> <add> <td> Read these guidelines in </td> <add> <td><a href="/CONTRIBUTING.md"> English </a></td> <add> <td><a href="/docs/arabic/CONTRIBUTING.md"> عربى </a></td> <add> <td><a href="/docs/chinese/CONTRIBUTING.md"> 中文 </a></td> <add> <td><a href="/docs/portuguese/CONTRIBUTING.md"> Português </a></td> <add> <td><a href="/docs/russian/CONTRIBUTING.md"> русский </a></td> <add> <td><a href="/docs/spanish/CONTRIBUTING.md"> Español </a></td> <add> </tr> <add></table> <add> <add># Contribution Richtlinien <add> <add>Hallo 👋! <add> <add>freeCodeCamp.org wird dank vieler tausender Freiwilligen wie dir ermöglicht. Wir sind sehr dankbar für Deine Beiträge, und freuen uns, Dich hier willkommen zu heißen. <add> <add>Wir setzen unseren ["Verhaltenskodex"](https://www.freecodecamp.org/code-of-conduct) streng durch. Nimm Dir einen Moment Zeit, ihn zu lesen. Er ist nur 196 Wörter lang. <add> <add>Viel Spaß beim Mitwirken 🎉! <add> <add>## Hier sind einige Wege, wie Du helfen kannst <add> <add>Du kannst Dir einen beliebigen Bereich aussuchen, zu dem du etwas beitragen möchtest: <add> <add>1. [Trage etwas zu dieser Open-Source-Codebase bei](#Trage-etwas-zu-dieser-Open-Source-Codebase-bei). Hilf dabei, die [Leitfaden-Artikel](https://guide.freecodecamp.org/) oder die [Coding Challenges](https://learn.freecodecamp.org/) zu bearbeiten, oder fixe Bugs auf der Lernplattform. <add> <add>2. Hilf Campern in unserem [öffentlichen Forum](https://www.freecodecamp.org/forum/). [Beantworte ihre Programmierfragen](https://www.freecodecamp.org/forum/?max_posts=1) oder [oder gib ihnen Feedback zu ihren Programmierprojekten](https://www.freecodecamp.org/forum/c/project-feedback?max_posts=1). <add> <add>3. Hilf uns, Untertitel zu unseren [YouTube-Kanal-Videos](https://www.youtube.com/channel/UC8butISFwT-Wl7EV0hUK0BQ/videos) hinzuzufügen. <add> <add>## Trage etwas zu dieser Open-Source-Codebase bei <add> <add>Wir haben eine riesige Open-Source-Codebas, die aus tausenden von [Coding Challenges](https://learn.freecodecamp.org) und [Leitfaden-Artikeln](https://guide.freecodecamp.org) besteht. <add> <add>Hierbei kannst Du uns helfen: <add> <add>- [📝 Leitfaden-Artikel recherchieren, schreiben und aktualisieren](#leitfaden-artikel-recherchieren-schreiben-und-aktualisieren) <add> <add>- [💻 Bugs in unseren Coding Challenges finden, aktualisieren und fixen](#bugs-in-unseren-coding-challenges-finden-aktualisieren-und-fixen) <add> <add>- [🌐 Leitfaden-Artikel und Coding Challenges übersetzen](#leitfaden-artikel-und-coding-challenges-übersetzen) <add> <add>- [🛠 Bugs auf der Lernplattform von freeCodeCamp.org fixen](#Bugs-auf-der-Lernplattform-von-freecodecamporg-fixen) <add> <add>### Leitfaden-Artikel recherchieren, schreiben und aktualisieren <add> <add>**Was sind Leitfaden-Artikel?** <add> <add>Leitfaden-Artikel helfen Dir, ein technologisches Konzept schnell zu begreifen. Sie sind kurz und in einer klar verständlichen Sprache geschrieben, sodass Du sie lesen kannst, bevor Du zu tiefer gehenden Ressourcen weitergehst. <add> <add>Hier findest du einen [Beispiel-Artikel zu HTML-Anchor-Elementen](https://github.com/freeCodeCamp/freeCodeCamp/blob/master/guide/english/html/elements/a-tag/index.md). <add> <add>**Über was kann ich einen Artikel schreiben?** <add> <add>Wir freuen uns über Deine Hilfe beim Schreiben dieser Artikel. Du musst kein Experte in einem Gebiet sein, um darüber zu schreiben - der komplette Leitfaden ist Open Source, d.h. auch wenn Du einen Fehler machst, wird ihn schlussendlich ein anderer Contributor korrigieren. <add> <add>Um zu helfen, finde einen `Stub-Artikel` auf unser [Leitfaden-Webseite](https://guide.freecodecamp.org), schreibe den Artikel und öffne einen Pull Request, um den Stub mit Deinem Artikel zu ersetzen. Ein [Pull Request](https://help.github.com/articles/about-pull-requests/) ist ein Weg, um Änderungen vorzuschlagen. So können andere von Deinen Änderungen erfahren, sie prüfen und schließlich übernehmen. <add> <add>Wenn Du keinen Stub zu dem Thema finden kannst, über das Du gerne schreiben würdest, kannst Du einen Pull Request öffnen, der den Stub anlegt und Deinen Artikel enthält. <add> <add>Wenn Du dabei helfen willst, die Leitfaden-Artikel zu verbessern, kannst du [hier eine Anleitung finden](/docs/how-to-work-on-guide-articles.md). <add> <add>### Bugs in unseren Coding-Challenges finden, aktualisieren und fixen <add> <add>Alle unsere Coding Challenges werden von Mitgliedern unserer Community verwaltet, die Experten-Wissen von Freiwilligen wie Dir mitbringen. <add> <add>Du kannst dabei helfen, sie zu erweitern und sie klarer zu formulieren. Du kannst die User Stories aktualisieren, um das Konzept besser zu erklären, und auch überflüssige entfernen. Ebenso kannst Du die Challenge-Tests verbessern, damit sie den eingereichten Code genauer testen. <add> <add>Wenn Du daran interessiert bist, diese Coding Challenges zu verbessern, findest Du [hier eine Artikel dazu](/docs/how-to-work-on-coding-challenges.md). <add> <add>### Leitfaden-Artikel und Coding Challenges übersetzen <add> <add>Du kannst uns helfen, unsere Leitfaden-Artikel und unsere Coding Challenges in eine Sprache, die Du sprichst, zu übersetzen. Aktuell haben wir übersetzte Versionen in den folgenden Sprachen: <add> <add>- [Chinese (中文)](https://github.com/freeCodeCamp/freeCodeCamp/tree/master/curriculum/challenges/chinese) <add>- [Russian (русский)](https://github.com/freeCodeCamp/freeCodeCamp/tree/master/curriculum/challenges/russian) <add>- [Arabic (عربى)](https://github.com/freeCodeCamp/freeCodeCamp/tree/master/curriculum/challenges/arabic) <add>- [Spanish (Español)](https://github.com/freeCodeCamp/freeCodeCamp/tree/master/curriculum/challenges/spanish) <add>- [Portuguese (Português)](https://github.com/freeCodeCamp/freeCodeCamp/tree/master/curriculum/challenges/portuguese) <add> <add>Wir würden uns sehr über Deine Hilfe beim Verbessern der Übersetzungen freuen. Millionen Menschen nutzen die englischsprachige Version von freeCodeCamp.org, und wir erwarten, dass Millionen Menschen mehr die übersetzten Versionen nutzen werden. <add> <add>### Bugs auf der Lernplattform von freeCodeCamp.org fixen <add> <add>Unsere Lernplattform läuft auf einem modernen JavaScript-Stack. Sie hat mehrere Komponenten, Tools und Bibliotheken, inklusive aber nicht limitiert auf Node.js, MongoDB, LoopBack, OAuth 2.0, React, Gatsby, Webpack, und mehr. <add> <add>Grob gesagt haben wir <add> <add>- einen Node.js basierten API-Server, <add>- eine Reihe von React basierten Client-Anwendungen und <add>- ein Skript, das wir verwenden, um unsere Frontend-Projekte zu evaluieren. <add> <add>Um dazu beizutragen braucht man ein gewisses Verständnis von APIs, ES6-Syntax and eine Menge Neugier. <add> <add>Im Wesentlichen erwarten wir eine grundlegende Vertrautheit mit einigen der erwähnten Technologien, Tools und Bibliotheken. Du musst allerdings keine Experte darin sein, um etwas beizutragen. <add> <add>Bitte zögere nicht, uns Fragen auf den damit zusammenhängenden Issue Threads zu schicken, wir beantworten sie gerne. Wenn Du Dir nicht sicher bist, kannst Du Dich immer an Mrugesh Mohapatra [`@raisedadead`](https://github.com/raisedadead) oder Stuart Taylor [`@bouncey`](https://github.com/bouncey) von unserem Plattform-Development-Team wenden, um Dir hiermit zu helfen. <add> <add>Wenn Du uns helfen möchtest, unsere Codebase zu verbessern, findest du hier eine Anleitung, [wie du freeCodeCamp lokal anlegst](/docs/how-to-setup-freecodecamp-locally.md). <add> <add>## Häufig gestellte Fragen <add> <add>**Wie kann ich einen Bug melden, der noch nicht dokumentiert wurde?** <add> <add>Wenn Du denkst, dass Du einen Bug gefunden hast, lies zunächst den ["Hilfe, ich habe einen Bug gefunden"](https://forum.freecodecamp.org/t/how-to-report-a-bug/19543)-Artikel und folge den Anweisungen. <add> <add>Wenn Du Dir sicher bist, dass es sich um einen neuen Bug handelt, kannst du ein neues GitHub-Issue erstellen. Stelle sicher, dass Du so viel Information wie möglich dazuschreibst, sodass wir den Bug nachvollziehen können. Wie haben ein vorgefertigtes Issue-Template, das Dir dabei hilft. <add> <add>Bitte beachte, dass alle Issues, die nach Hilfe bei einer Coding Challenge fragen, geschlossen werden. Der Issue-Tracker ist ausschließlich für Probleme und Diskussionen, die sich auf die Codebase beziehen. Wenn Du Dir nicht sicher bist, [frag im Forum nach Hilfe](https://www.freecodecamp.org/forum), bevor Du einen Report machst. <add> <add>**Wie kann ich ein Sicherheitsrisiko melden?** <add> <add>Bitte erstelle keine GitHub-Issues für Sicherheitsrisiken. Schicke stattdessen eine E-Mail an `security@freecodecamp.org` und wir werden uns sofort darum kümmern. <add> <add>**Ich hänge an etwas fest, das nicht in der Dokumentation beschrieben ist. Wie bekomme ich Hilfe?** <add> <add>An den folgenden Orten kannst Du um Hilfe bitten: <add> <add>- [Der "Contributor"-Bereich unseres öffentlichen Forums](https://www.freecodecamp.org/forum/c/contributors) <add>- [Unser öffentlicher Chatroom für Contributor auf Gitter](https://gitter.im/FreeCodeCamp/Contributors) <add> <add>Wir helfen Dir sehr gerne beim Mitwirken an jeglichen Bereichen, die Dich interessieren. Stelle sicher, dass Du erst nach deiner Anfrage suchst, before Du eine neue anlegst. Sei höflich und geduldig. Unsere Community von Freiwilligen und Moderatoren ist immer da, um Dich bei Deinen Anliegen zu führen. <add> <add>**Ich bin ein GitHub/Open-Source-Neuling:** <add> <add>Lies unseren [Wie wirke ich an Open-Source-Projekten mit-Artikel](https://github.com/freeCodeCamp/how-to-contribute-to-open-source). <add> <add>**Was bedeuten die unterschiedlichen Label, die auf Issues getaggt sind?** <add> <add>Unsere Community-Moderatoren [sichten](https://en.wikipedia.org/wiki/Software_bug#Bug_management) Issues und Pull Requests basierend auf ihrer Priorität, Schwere und anderen Faktoren. [Hier findest Du das komplette Glossar zu den Bedeutungen](https://github.com/freecodecamp/freecodecamp/labels). <add> <add>Du solltest durch die **`Help Wanted`** oder **`first timers welcome`** Issues schauen, um einen schnellen Überblick über das, woran Du arbeiten könntest, zu gewinnen. Diese sind frei zur Bearbeitung und Du musst nicht nach Erlaubnis fragen, um daran zu arbeiten. <add> <add>Wenn diese Issues unklar sind bezüglich was getan werden muss, zögere nicht, Fragen in den Kommentaren zu stellen. <add> <add>**Ich habe einen Rechtschreibfehler gefunden, soll ich ein Issue öffnen, bevor ich einen Pull Request machen kann?** <add> <add>Für Rechtschreibfehler und andere Formulierungsänderungen kannst Du direkt einen Pull Request erstellen, ohne vorher ein Issue zu öffnen. Issues sind eher für die Diskussion größerer Probleme, die sich mit dem Code und anderen strukturellen Aspekten des Curriculums beschäftigen.
1
Ruby
Ruby
fix indentation and newlines in generated engine
34d1e5d04d2e2583bf28fc2365f43d5917e2c648
<ide><path>railties/lib/rails/generators/named_base.rb <ide> def indent(content, multiplier = 2) <ide> end <ide> <ide> def wrap_with_namespace(content) <del> content = indent(content) <add> content = indent(content).chomp <ide> "module #{namespace.name}\n#{content}\nend\n" <ide> end <ide> <ide><path>railties/lib/rails/generators/rails/plugin_new/templates/lib/%name%/engine.rb <ide> module <%= camelized %> <ide> class Engine < Rails::Engine <ide> <% if mountable? -%> <del> isolate_namespace <%= camelized %> <add> isolate_namespace <%= camelized %> <ide> <% end -%> <ide> end <ide> end
2
PHP
PHP
remove unused imports
00e2c2b503e603ca78035abbce9dfe05c2a2965b
<ide><path>src/Illuminate/Foundation/Testing/CrawlerTrait.php <ide> <ide> namespace Illuminate\Foundation\Testing; <ide> <del>use Exception; <ide> use Illuminate\Support\Str; <ide> use Illuminate\Http\Request; <ide> <ide><path>src/Illuminate/Foundation/Testing/InteractsWithPages.php <ide> <ide> use Exception; <ide> use Illuminate\Support\Str; <del>use Illuminate\Http\Request; <ide> use InvalidArgumentException; <ide> use Symfony\Component\DomCrawler\Form; <ide> use Symfony\Component\DomCrawler\Crawler;
2
Javascript
Javascript
use feminine suffix for weeks' ordinals
c67bb0e67548030dbd8009fe39cd9453b1fcce0f
<ide><path>locale/ca.js <ide> y : 'un any', <ide> yy : '%d anys' <ide> }, <del> ordinalParse: /\d{1,2}(r|n|t|è)/, <del> ordinal : function (number) { <add> ordinalParse: /\d{1,2}(r|n|t|è|a)/, <add> ordinal : function (number, period) { <ide> var output = (number === 1) ? 'r' : <ide> (number === 2) ? 'n' : <ide> (number === 3) ? 'r' : <ide> (number === 4) ? 't' : 'è'; <add> if (period === 'w' || period === 'W') { <add> output = 'a'; <add> } <ide> return number + output; <ide> }, <ide> week : { <ide><path>test/locale/ca.js <ide> exports['locale:ca'] = { <ide> }, <ide> <ide> 'weeks year starting sunday formatted' : function (test) { <del> test.equal(moment([2012, 0, 1]).format('w ww wo'), '52 52 52è', 'Jan 1 2012 should be week 52'); <del> test.equal(moment([2012, 0, 2]).format('w ww wo'), '1 01 1r', 'Jan 2 2012 should be week 1'); <del> test.equal(moment([2012, 0, 8]).format('w ww wo'), '1 01 1r', 'Jan 8 2012 should be week 1'); <del> test.equal(moment([2012, 0, 9]).format('w ww wo'), '2 02 2n', 'Jan 9 2012 should be week 2'); <del> test.equal(moment([2012, 0, 15]).format('w ww wo'), '2 02 2n', 'Jan 15 2012 should be week 2'); <add> test.equal(moment([2012, 0, 1]).format('w ww wo'), '52 52 52a', 'Jan 1 2012 should be week 52'); <add> test.equal(moment([2012, 0, 2]).format('w ww wo'), '1 01 1a', 'Jan 2 2012 should be week 1'); <add> test.equal(moment([2012, 0, 8]).format('w ww wo'), '1 01 1a', 'Jan 8 2012 should be week 1'); <add> test.equal(moment([2012, 0, 9]).format('w ww wo'), '2 02 2a', 'Jan 9 2012 should be week 2'); <add> test.equal(moment([2012, 0, 15]).format('w ww wo'), '2 02 2a', 'Jan 15 2012 should be week 2'); <ide> <ide> test.done(); <ide> },
2
Javascript
Javascript
prevent stack recalculation
0401754b92e9029e7dddf54c165321f04001ba79
<ide><path>lib/internal/errors.js <ide> function makeNodeError(Base) { <ide> constructor(key, ...args) { <ide> super(message(key, args)); <ide> this[kCode] = key; <del> Error.captureStackTrace(this, NodeError); <ide> } <ide> <ide> get name() {
1
Javascript
Javascript
reuse parsed results rather than redoing work
9f3b51a80ce96578718267711e8b65c1ec8c25c1
<ide><path>src/scales/scale.time.js <ide> module.exports = function(Chart) { <ide> <ide> Chart.Scale.prototype.initialize.call(this); <ide> }, <del> getLabelMoment: function(datasetIndex, index) { <del> if (datasetIndex === null || index === null) { <del> return null; <del> } <del> <del> if (typeof this.labelMoments[datasetIndex] !== 'undefined') { <del> return this.labelMoments[datasetIndex][index]; <del> } <del> <del> return null; <del> }, <ide> getLabelDiff: function(datasetIndex, index) { <ide> var me = this; <ide> if (datasetIndex === null || index === null) { <ide> module.exports = function(Chart) { <ide> var me = this; <ide> me.labelMoments = []; <ide> <add> function appendLabel(array, label) { <add> var labelMoment = me.parseTime(label); <add> if (labelMoment.isValid()) { <add> if (me.options.time.round) { <add> labelMoment.startOf(me.options.time.round); <add> } <add> array.push(labelMoment); <add> } <add> } <add> <ide> // Only parse these once. If the dataset does not have data as x,y pairs, we will use <ide> // these <ide> var scaleLabelMoments = []; <ide> if (me.chart.data.labels && me.chart.data.labels.length > 0) { <ide> helpers.each(me.chart.data.labels, function(label) { <del> var labelMoment = me.parseTime(label); <del> <del> if (labelMoment.isValid()) { <del> if (me.options.time.round) { <del> labelMoment.startOf(me.options.time.round); <del> } <del> scaleLabelMoments.push(labelMoment); <del> } <add> appendLabel(scaleLabelMoments, label); <ide> }, me); <ide> <del> me.firstTick = moment.min.call(me, scaleLabelMoments); <del> me.lastTick = moment.max.call(me, scaleLabelMoments); <add> me.firstTick = moment.min(scaleLabelMoments); <add> me.lastTick = moment.max(scaleLabelMoments); <ide> } else { <ide> me.firstTick = null; <ide> me.lastTick = null; <ide> } <ide> <ide> helpers.each(me.chart.data.datasets, function(dataset, datasetIndex) { <ide> var momentsForDataset = []; <del> var datasetVisible = me.chart.isDatasetVisible(datasetIndex); <ide> <ide> if (typeof dataset.data[0] === 'object' && dataset.data[0] !== null) { <ide> helpers.each(dataset.data, function(value) { <del> var labelMoment = me.parseTime(me.getRightValue(value)); <del> <del> if (labelMoment.isValid()) { <del> if (me.options.time.round) { <del> labelMoment.startOf(me.options.time.round); <del> } <del> momentsForDataset.push(labelMoment); <del> <del> if (datasetVisible) { <del> // May have gone outside the scale ranges, make sure we keep the first and last ticks updated <del> me.firstTick = me.firstTick !== null ? moment.min(me.firstTick, labelMoment) : labelMoment; <del> me.lastTick = me.lastTick !== null ? moment.max(me.lastTick, labelMoment) : labelMoment; <del> } <del> } <add> appendLabel(momentsForDataset, me.getRightValue(value)); <ide> }, me); <add> <add> if (me.chart.isDatasetVisible(datasetIndex)) { <add> // May have gone outside the scale ranges, make sure we keep the first and last ticks updated <add> var min = moment.min(momentsForDataset); <add> var max = moment.max(momentsForDataset); <add> me.firstTick = me.firstTick !== null ? moment.min(me.firstTick, min) : min; <add> me.lastTick = me.lastTick !== null ? moment.max(me.lastTick, max) : max; <add> } <ide> } else { <ide> // We have no labels. Use the ones from the scale <ide> momentsForDataset = scaleLabelMoments; <ide> module.exports = function(Chart) { <ide> }, <ide> buildLabelDiffs: function() { <ide> var me = this; <del> me.labelDiffs = []; <del> var scaleLabelDiffs = []; <del> // Parse common labels once <del> if (me.chart.data.labels && me.chart.data.labels.length > 0) { <del> helpers.each(me.chart.data.labels, function(label) { <del> var labelMoment = me.parseTime(label); <del> <del> if (labelMoment.isValid()) { <del> if (me.options.time.round) { <del> labelMoment.startOf(me.options.time.round); <del> } <del> scaleLabelDiffs.push(labelMoment.diff(me.firstTick, me.tickUnit, true)); <del> } <del> }, me); <del> } <del> <del> helpers.each(me.chart.data.datasets, function(dataset) { <del> var diffsForDataset = []; <ide> <del> if (typeof dataset.data[0] === 'object' && dataset.data[0] !== null) { <del> helpers.each(dataset.data, function(value) { <del> var labelMoment = me.parseTime(me.getRightValue(value)); <del> <del> if (labelMoment.isValid()) { <del> if (me.options.time.round) { <del> labelMoment.startOf(me.options.time.round); <del> } <del> diffsForDataset.push(labelMoment.diff(me.firstTick, me.tickUnit, true)); <del> } <del> }, me); <del> } else { <del> // We have no labels. Use common ones <del> diffsForDataset = scaleLabelDiffs; <del> } <del> <del> me.labelDiffs.push(diffsForDataset); <del> }, me); <add> me.labelDiffs = me.labelMoments.map(function(datasetLabels) { <add> return datasetLabels.map(function(label) { <add> return label.diff(me.firstTick, me.tickUnit, true); <add> }); <add> }); <ide> }, <ide> buildTicks: function() { <ide> var me = this; <ide><path>test/scale.time.tests.js <ide> describe('Time scale tests', function() { <ide> threshold: 0.75 <ide> }); <ide> }); <del> <del> it('should not throw an error if the datasetIndex is out of bounds', function() { <del> var chart = window.acquireChart({ <del> type: 'line', <del> data: { <del> labels: ['2016-06-26'], <del> datasets: [{ <del> xAxisID: 'xScale0', <del> data: [5] <del> }] <del> }, <del> options: { <del> scales: { <del> xAxes: [{ <del> id: 'xScale0', <del> display: true, <del> type: 'time', <del> }] <del> } <del> } <del> }); <del> <del> var xScale = chart.scales.xScale0; <del> var getOutOfBoundLabelMoment = function() { <del> xScale.getLabelMoment(12, 0); <del> }; <del> <del> expect(getOutOfBoundLabelMoment).not.toThrow(); <del> }); <del> <del> it('should not throw an error if the datasetIndex or index are null', function() { <del> var chart = window.acquireChart({ <del> type: 'line', <del> data: { <del> labels: ['2016-06-26'], <del> datasets: [{ <del> xAxisID: 'xScale0', <del> data: [5] <del> }] <del> }, <del> options: { <del> scales: { <del> xAxes: [{ <del> id: 'xScale0', <del> display: true, <del> type: 'time', <del> }] <del> } <del> } <del> }); <del> <del> var xScale = chart.scales.xScale0; <del> <del> var getNullDatasetIndexLabelMoment = function() { <del> xScale.getLabelMoment(null, 1); <del> }; <del> <del> var getNullIndexLabelMoment = function() { <del> xScale.getLabelMoment(1, null); <del> }; <del> <del> expect(getNullDatasetIndexLabelMoment).not.toThrow(); <del> expect(getNullIndexLabelMoment).not.toThrow(); <del> }); <ide> });
2
Python
Python
predict target arch for osx
85a86b5fd64ee4f5502552096dcc5f616158d7d6
<ide><path>tools/wafadmin/Tools/node_addon.py <ide> import os <del>import TaskGen, Utils, Utils, Runner, Options, Build <add>import TaskGen, Utils, Runner, Options, Build <ide> from TaskGen import extension, taskgen, before, after, feature <ide> from Configure import conf, conftest <ide> <ide> def detect(conf): <ide> conf.env['PREFIX_NODE'] = get_prefix() <ide> prefix = conf.env['PREFIX_NODE'] <ide> lib = join(prefix, 'lib') <add> nodebin = join(prefix, 'bin', 'node') <ide> <ide> conf.env['LIBPATH_NODE'] = lib <ide> conf.env['CPPPATH_NODE'] = join(prefix, 'include', 'node') <ide> def detect(conf): <ide> found = os.path.exists(conf.env['NODE_PATH']) <ide> conf.check_message('node path', '', found, conf.env['NODE_PATH']) <ide> <del> found = os.path.exists(join(prefix, 'bin', 'node')) <add> found = os.path.exists(nodebin) <ide> conf.check_message('node prefix', '', found, prefix) <ide> <ide> ## On Cygwin we need to link to the generated symbol definitions <ide> if Options.platform.startswith('cygwin'): conf.env['LIB_NODE'] = 'node' <ide> <ide> ## On Mac OSX we need to use mac bundles <del> if Options.platform == 'darwin': conf.check_tool('osx') <add> if Options.platform == 'darwin': <add> if 'i386' in Utils.cmd_output(['file', nodebin]): <add> conf.env.append_value('CPPFLAGS_NODE', ['-arch', 'i386']) <add> conf.env.append_value('CXXFLAGS_NODE', ['-arch', 'i386']) <add> conf.env.append_value('LINKFLAGS', ['-arch', 'i386']) <add> conf.env['DEST_CPU'] = 'i386' <add> conf.check_tool('osx') <ide> <ide> def get_node_path(): <ide> join = os.path.join
1
Ruby
Ruby
fix parens after inline block
b6fd579a7e97f1a3aee27d22e12784f7a6155799
<ide><path>config/routes.rb <ide> route_for(:rails_blob_variation, encoded_blob_key, variation_key, filename) <ide> end <ide> <del> resolve 'ActiveStorage::Variant' { |variant| route_for(:rails_variant, variant) } <add> resolve('ActiveStorage::Variant') { |variant| route_for(:rails_variant, variant) } <ide> end
1
Javascript
Javascript
use whatwg url api instead of url.parse()
738fa63661a7a5d7e8bf604436bb3b91648e327b
<ide><path>lib/adapters/http.js <ide> import {getProxyForUrl} from 'proxy-from-env'; <ide> import http from 'http'; <ide> import https from 'https'; <ide> import followRedirects from 'follow-redirects'; <del>import url from 'url'; <ide> import zlib from 'zlib'; <ide> import {VERSION} from '../env/data.js'; <ide> import transitionalDefaults from '../defaults/transitional.js'; <ide> function setProxy(options, configProxy, location) { <ide> if (!proxy && proxy !== false) { <ide> const proxyUrl = getProxyForUrl(location); <ide> if (proxyUrl) { <del> proxy = url.parse(proxyUrl); <del> // replace 'host' since the proxy object is not a URL object <del> proxy.host = proxy.hostname; <add> proxy = new URL(proxyUrl); <ide> } <ide> } <ide> if (proxy) { <ide> // Basic proxy authorization <add> if (proxy.username) { <add> proxy.auth = (proxy.username || '') + ':' + (proxy.password || ''); <add> } <add> <ide> if (proxy.auth) { <ide> // Support proxy auth object form <ide> if (proxy.auth.username || proxy.auth.password) { <ide> function setProxy(options, configProxy, location) { <ide> } <ide> <ide> options.headers.host = options.hostname + (options.port ? ':' + options.port : ''); <del> options.hostname = proxy.host; <del> options.host = proxy.host; <add> options.hostname = proxy.hostname; <add> // Replace 'host' since options is not a URL object <add> options.host = proxy.hostname; <ide> options.port = proxy.port; <ide> options.path = location; <ide> if (proxy.protocol) { <ide> export default function httpAdapter(config) { <ide> <ide> // Parse url <ide> const fullPath = buildFullPath(config.baseURL, config.url); <del> const parsed = url.parse(fullPath); <add> const parsed = new URL(fullPath); <ide> const protocol = parsed.protocol || supportedProtocols[0]; <ide> <ide> if (protocol === 'data:') { <ide> export default function httpAdapter(config) { <ide> auth = username + ':' + password; <ide> } <ide> <del> if (!auth && parsed.auth) { <del> const urlAuth = parsed.auth.split(':'); <del> const urlUsername = urlAuth[0] || ''; <del> const urlPassword = urlAuth[1] || ''; <add> if (!auth && parsed.username) { <add> const urlUsername = parsed.username; <add> const urlPassword = parsed.password; <ide> auth = urlUsername + ':' + urlPassword; <ide> } <ide> <ide> auth && headers.delete('authorization'); <ide> <add> const path = parsed.pathname.concat(parsed.searchParams); <ide> try { <del> buildURL(parsed.path, config.params, config.paramsSerializer).replace(/^\?/, ''); <add> buildURL(path, config.params, config.paramsSerializer).replace(/^\?/, ''); <ide> } catch (err) { <ide> const customErr = new Error(err.message); <ide> customErr.config = config; <ide> export default function httpAdapter(config) { <ide> headers.set('Accept-Encoding', 'gzip, deflate, br', false); <ide> <ide> const options = { <del> path: buildURL(parsed.path, config.params, config.paramsSerializer).replace(/^\?/, ''), <del> method, <add> path: buildURL(path, config.params, config.paramsSerializer).replace(/^\?/, ''), <add> method: method, <ide> headers: headers.toJSON(), <ide> agents: { http: config.httpAgent, https: config.httpsAgent }, <ide> auth, <ide><path>test/unit/adapters/http.js <ide> describe('supports http with nodejs', function () { <ide> }).listen(socketName, function () { <ide> axios({ <ide> socketPath: socketName, <del> url: '/' <add> url: 'http://localhost:4444/socket' <ide> }) <ide> .then(function (resp) { <ide> assert.equal(resp.status, 200);
2
Javascript
Javascript
do some dirty for windows compatible
dee984d1ddc8e2cdb0eef51bd0470744c92058eb
<ide><path>react-native-cli/index.js <ide> var spawn = require('child_process').spawn; <ide> var chalk = require('chalk'); <ide> var prompt = require('prompt'); <ide> var semver = require('semver'); <add>var os = require('os'); <ide> <ide> var CLI_MODULE_PATH = function() { <ide> return path.resolve( <ide> function run(root, projectName, logLevel) { <ide> if (logLevel === 'debug' || logLevel === 'verbose') { <ide> spawnArgs = {stdio: 'inherit'}; <ide> } <del> var proc = spawn('npm', args, spawnArgs); <add> var proc; <add> if (os.platform() === 'win32'){ <add> args.unshift('npm'); <add> args.unshift('/c'); <add> proc = spawn('cmd', args, spawnArgs); <add> } else { <add> proc = spawn('npm', args, spawnArgs); <add> } <ide> proc.on('close', function (code) { <ide> if (code !== 0) { <ide> console.error('`npm install --save react-native` failed');
1
Ruby
Ruby
determine number of cores using rubycocoa #win
14424feab2d9eb9ee7407e8a6b09abae13c83c59
<ide><path>Cellar/homebrew/brewkit.rb <ide> # Copyright 2009 Max Howell <max@methylblue.com> <ide> # Licensed as per the GPL version 3 <ide> require 'pathname' <add>require 'osx/cocoa' # to get number of cores <ide> <ide> HOMEBREW_VERSION='0.1' <ide> <ide> # if I'm wrong <ide> ENV['CC']='gcc-4.2' <ide> ENV['CXX']='g++-4.2' <del>ENV['MAKEFLAGS']='-j2' <add>ENV['MAKEFLAGS']="-j#{OSX::NSProcessInfo.processInfo.processorCount}" <ide> <ide> unless $root.to_s == '/usr/local' <ide> ENV['CPPFLAGS']='-I'+$root+'include'
1
Javascript
Javascript
add type comments for util/identifier
0dbbcdd82b1a41b28e7eebf2ac9be3dbbddbd28b
<ide><path>lib/util/identifier.js <ide> "use strict"; <ide> const path = require("path"); <ide> <add>/** @typedef {{relativePaths: Map<string, string|Map<string,string>>}} MakeRelativePathsCache */ <add> <add>/** <add> * <add> * @param {string} maybeAbsolutePath path to check <add> * @return {boolean} returns true if path is "Absolute Path"-like <add> */ <ide> const looksLikeAbsolutePath = maybeAbsolutePath => { <ide> return /^(?:[a-z]:\\|\/)/i.test(maybeAbsolutePath); <ide> }; <ide> <add>/** <add> * <add> * @param {string} p path to normalize <add> * @return {string} normalized version of path <add> */ <ide> const normalizePathSeparator = p => p.replace(/\\/g, "/"); <ide> <add>/** <add> * <add> * @param {string} context context for relative path <add> * @param {string} identifier identifier for path <add> * @return {string} a converted relative path <add> */ <ide> const _makePathsRelative = (context, identifier) => { <ide> return identifier <ide> .split(/([|! ])/) <ide> const _makePathsRelative = (context, identifier) => { <ide> .join(""); <ide> }; <ide> <add>/** <add> * <add> * @param {string} context context used to create relative path <add> * @param {string} identifier identifier used to create relative path <add> * @param {MakeRelativePathsCache=} cache the cache object being set <add> * @return {string} the returned relative path <add> */ <ide> exports.makePathsRelative = (context, identifier, cache) => { <ide> if (!cache) return _makePathsRelative(context, identifier); <ide>
1
Javascript
Javascript
remove useless additionnal blur call
27cfba28823dc401a4d73152c984e5732d4ea02b
<ide><path>Libraries/Components/TextInput/TextInput.js <ide> const TextInput = createReactClass({ <ide> }, <ide> <ide> _onBlur: function(event: Event) { <del> this.blur(); <ide> if (this.props.onBlur) { <ide> this.props.onBlur(event); <ide> }
1
Javascript
Javascript
remove untested branch
6807bb6f6d02d9b9b8266afd34f71fdc8c920441
<ide><path>lib/runtime/PublicPathRuntimeModule.js <ide> class PublicPathRuntimeModule extends RuntimeModule { <ide> return `${RuntimeGlobals.publicPath} = (() => { <ide> if ("currentScript" in document) { <ide> return document.currentScript.src.replace(/[^\\/]+$/, ""); <del> } else if ("_getCurrentScript" in document) { <del> return document._getCurrentScript().src.replace(/[^\\/]+$/, ""); <ide> } else { <ide> throw new Error("Webpack: Auto public path is not supported in modules or when 'document.currentScript' is unavailable. Set 'publicPath' config explicitly."); <ide> }
1
Javascript
Javascript
drop legacy factories around classes
199a7d6903ed2e7c28fb32c6a28ed7f26148e13d
<ide><path>src/browser/ReactDOM.js <ide> <ide> var ReactElement = require('ReactElement'); <ide> var ReactElementValidator = require('ReactElementValidator'); <del>var ReactLegacyElement = require('ReactLegacyElement'); <ide> <ide> var mapObject = require('mapObject'); <ide> <ide> var mapObject = require('mapObject'); <ide> */ <ide> function createDOMFactory(tag) { <ide> if (__DEV__) { <del> return ReactLegacyElement.markNonLegacyFactory( <del> ReactElementValidator.createFactory(tag) <del> ); <add> return ReactElementValidator.createFactory(tag); <ide> } <del> return ReactLegacyElement.markNonLegacyFactory( <del> ReactElement.createFactory(tag) <del> ); <add> return ReactElement.createFactory(tag); <ide> } <ide> <ide> /** <ide><path>src/browser/__tests__/ReactDOM-test.js <ide> describe('ReactDOM', function() { <ide> expect(element.type).toBe('div'); <ide> expect(console.warn.argsForCall.length).toBe(0); <ide> }); <del> <del> it('warns but allow dom factories to be used in createFactory', function() { <del> spyOn(console, 'warn'); <del> var factory = React.createFactory(React.DOM.div); <del> expect(factory().type).toBe('div'); <del> expect(console.warn.argsForCall.length).toBe(1); <del> expect(console.warn.argsForCall[0][0]).toContain( <del> 'Do not pass React.DOM.div' <del> ); <del> }); <del> <del> it('warns but allow dom factories to be used in createElement', function() { <del> spyOn(console, 'warn'); <del> var element = React.createElement(React.DOM.div); <del> expect(element.type).toBe('div'); <del> expect(console.warn.argsForCall.length).toBe(1); <del> expect(console.warn.argsForCall[0][0]).toContain( <del> 'Do not pass React.DOM.div' <del> ); <del> }); <ide> }); <ide><path>src/browser/ui/React.js <ide> var ReactDOM = require('ReactDOM'); <ide> var ReactDOMComponent = require('ReactDOMComponent'); <ide> var ReactDefaultInjection = require('ReactDefaultInjection'); <ide> var ReactInstanceHandles = require('ReactInstanceHandles'); <del>var ReactLegacyElement = require('ReactLegacyElement'); <ide> var ReactMount = require('ReactMount'); <ide> var ReactMultiChild = require('ReactMultiChild'); <ide> var ReactPerf = require('ReactPerf'); <ide> if (__DEV__) { <ide> createFactory = ReactElementValidator.createFactory; <ide> } <ide> <del>// TODO: Drop legacy elements once classes no longer export these factories <del>createElement = ReactLegacyElement.wrapCreateElement( <del> createElement <del>); <del>createFactory = ReactLegacyElement.wrapCreateFactory( <del> createFactory <del>); <del> <ide> var render = ReactPerf.measure('React', 'render', ReactMount.render); <ide> <ide> var React = { <ide> var React = { <ide> renderToString: ReactServerRendering.renderToString, <ide> renderToStaticMarkup: ReactServerRendering.renderToStaticMarkup, <ide> unmountComponentAtNode: ReactMount.unmountComponentAtNode, <del> isValidClass: ReactLegacyElement.isValidClass, <ide> isValidElement: ReactElement.isValidElement, <ide> withContext: ReactContext.withContext, <ide> <ide><path>src/browser/ui/ReactMount.js <ide> var DOMProperty = require('DOMProperty'); <ide> var ReactBrowserEventEmitter = require('ReactBrowserEventEmitter'); <ide> var ReactCurrentOwner = require('ReactCurrentOwner'); <ide> var ReactElement = require('ReactElement'); <del>var ReactLegacyElement = require('ReactLegacyElement'); <ide> var ReactInstanceHandles = require('ReactInstanceHandles'); <ide> var ReactPerf = require('ReactPerf'); <ide> <ide> var invariant = require('invariant'); <ide> var shouldUpdateReactComponent = require('shouldUpdateReactComponent'); <ide> var warning = require('warning'); <ide> <del>var createElement = ReactLegacyElement.wrapCreateElement( <del> ReactElement.createElement <del>); <del> <ide> var SEPARATOR = ReactInstanceHandles.SEPARATOR; <ide> <ide> var ATTR_NAME = DOMProperty.ID_ATTRIBUTE_NAME; <ide> var ReactMount = { <ide> typeof nextElement === 'string' ? <ide> ' Instead of passing an element string, make sure to instantiate ' + <ide> 'it by passing it to React.createElement.' : <del> ReactLegacyElement.isValidFactory(nextElement) ? <add> typeof nextElement === 'function' ? <ide> ' Instead of passing a component class, make sure to instantiate ' + <ide> 'it by passing it to React.createElement.' : <ide> // Check if it quacks like a element <ide> var ReactMount = { <ide> * @return {ReactComponent} Component instance rendered in `container`. <ide> */ <ide> constructAndRenderComponent: function(constructor, props, container) { <del> var element = createElement(constructor, props); <add> var element = ReactElement.createElement(constructor, props); <ide> return ReactMount.render(element, container); <ide> }, <ide> <ide><path>src/class/ReactClass.js <ide> <ide> var ReactCompositeComponent = require('ReactCompositeComponent'); <ide> var ReactElement = require('ReactElement'); <del>var ReactElementValidator = require('ReactElementValidator'); <del>var ReactLegacyElement = require('ReactLegacyElement'); <ide> var ReactPropTypeLocations = require('ReactPropTypeLocations'); <ide> var ReactPropTypeLocationNames = require('ReactPropTypeLocationNames'); <ide> <ide> var ReactClass = { <ide> } <ide> } <ide> <del> if (__DEV__) { <del> return ReactLegacyElement.wrapFactory( <del> ReactElementValidator.createFactory(Constructor) <del> ); <del> } <del> return ReactLegacyElement.wrapFactory( <del> ReactElement.createFactory(Constructor) <del> ); <add> // Legacy hook TODO: Warn if this is accessed <add> Constructor.type = Constructor; <add> <add> return Constructor; <ide> }, <ide> <ide> injection: { <ide><path>src/core/ReactCompositeComponent.js <ide> var ReactCompositeComponentMixin = { <ide> this.props = this._processProps(this.props); <ide> <ide> this.state = this.getInitialState ? this.getInitialState() : null; <add> <add> if (__DEV__) { <add> // We allow auto-mocks to proceed as if they're returning null. <add> if (typeof this.state === 'undefined' && <add> this.getInitialState && this.getInitialState._isMockFunction) { <add> // This is probably bad practice. Consider warning here and <add> // deprecating this convenience. <add> this.state = null; <add> } <add> } <add> <ide> invariant( <ide> typeof this.state === 'object' && !Array.isArray(this.state), <ide> '%s.getInitialState(): must return an object or null', <ide> var ReactCompositeComponentMixin = { <ide> ReactCurrentOwner.current = this; <ide> try { <ide> renderedComponent = this.render(); <add> if (__DEV__) { <add> // We allow auto-mocks to proceed as if they're returning null. <add> if (typeof renderedComponent === 'undefined' && <add> this.render._isMockFunction) { <add> // This is probably bad practice. Consider warning here and <add> // deprecating this convenience. <add> renderedComponent = null; <add> } <add> } <ide> if (renderedComponent === null || renderedComponent === false) { <ide> renderedComponent = ReactEmptyComponent.getEmptyComponent(); <ide> ReactEmptyComponent.registerNullComponentID(this._rootNodeID); <ide> var ReactCompositeComponent = { <ide> <ide> }; <ide> <add>// Temporary injection. <add>// TODO: Delete this hack once implementation details are hidden. <add>instantiateReactComponent._compositeBase = ReactCompositeComponentBase; <add> <ide> module.exports = ReactCompositeComponent; <ide><path>src/core/ReactElement.js <ide> ReactElement.createFactory = function(type) { <ide> // easily accessed on elements. E.g. <Foo />.type === Foo.type. <ide> // This should not be named `constructor` since this may not be the function <ide> // that created the element, and it may not even be a constructor. <add> // Legacy hook TODO: Warn if this is accessed <ide> factory.type = type; <ide> return factory; <ide> }; <ide><path>src/core/ReactElementValidator.js <ide> var ReactElementValidator = { <ide> null, <ide> type <ide> ); <add> // Legacy hook TODO: Warn if this is accessed <ide> validatedFactory.type = type; <ide> return validatedFactory; <ide> } <ide><path>src/core/ReactLegacyElement.js <del>/** <del> * Copyright 2014, Facebook, Inc. <del> * All rights reserved. <del> * <del> * This source code is licensed under the BSD-style license found in the <del> * LICENSE file in the root directory of this source tree. An additional grant <del> * of patent rights can be found in the PATENTS file in the same directory. <del> * <del> * @providesModule ReactLegacyElement <del> */ <del> <del>"use strict"; <del> <del>var ReactCurrentOwner = require('ReactCurrentOwner'); <del> <del>var invariant = require('invariant'); <del>var monitorCodeUse = require('monitorCodeUse'); <del>var warning = require('warning'); <del> <del>var legacyFactoryLogs = {}; <del>function warnForLegacyFactoryCall() { <del> if (!ReactLegacyElementFactory._isLegacyCallWarningEnabled) { <del> return; <del> } <del> var owner = ReactCurrentOwner.current; <del> var name = owner && owner.constructor ? owner.constructor.displayName : ''; <del> if (!name) { <del> name = 'Something'; <del> } <del> if (legacyFactoryLogs.hasOwnProperty(name)) { <del> return; <del> } <del> legacyFactoryLogs[name] = true; <del> warning( <del> false, <del> name + ' is calling a React component directly. ' + <del> 'Use a factory or JSX instead. See: http://fb.me/react-legacyfactory' <del> ); <del> monitorCodeUse('react_legacy_factory_call', { version: 3, name: name }); <del>} <del> <del>function warnForPlainFunctionType(type) { <del> var isReactClass = <del> type.prototype && <del> typeof type.prototype.mountComponent === 'function' && <del> typeof type.prototype.receiveComponent === 'function'; <del> if (isReactClass) { <del> warning( <del> false, <del> 'Did not expect to get a React class here. Use `Component` instead ' + <del> 'of `Component.type` or `this.constructor`.' <del> ); <del> } else { <del> if (!type._reactWarnedForThisType) { <del> try { <del> type._reactWarnedForThisType = true; <del> } catch (x) { <del> // just incase this is a frozen object or some special object <del> } <del> monitorCodeUse( <del> 'react_non_component_in_jsx', <del> { version: 3, name: type.name } <del> ); <del> } <del> warning( <del> false, <del> 'This JSX uses a plain function. Only React components are ' + <del> 'valid in React\'s JSX transform.' <del> ); <del> } <del>} <del> <del>function warnForNonLegacyFactory(type) { <del> warning( <del> false, <del> 'Do not pass React.DOM.' + type.type + ' to JSX or createFactory. ' + <del> 'Use the string "' + type.type + '" instead.' <del> ); <del>} <del> <del>/** <del> * Transfer static properties from the source to the target. Functions are <del> * rebound to have this reflect the original source. <del> */ <del>function proxyStaticMethods(target, source) { <del> if (typeof source !== 'function') { <del> return; <del> } <del> for (var key in source) { <del> if (source.hasOwnProperty(key)) { <del> var value = source[key]; <del> if (typeof value === 'function') { <del> var bound = value.bind(source); <del> // Copy any properties defined on the function, such as `isRequired` on <del> // a PropTypes validator. <del> for (var k in value) { <del> if (value.hasOwnProperty(k)) { <del> bound[k] = value[k]; <del> } <del> } <del> target[key] = bound; <del> } else { <del> target[key] = value; <del> } <del> } <del> } <del>} <del> <del>// We use an object instead of a boolean because booleans are ignored by our <del>// mocking libraries when these factories gets mocked. <del>var LEGACY_MARKER = {}; <del>var NON_LEGACY_MARKER = {}; <del> <del>var ReactLegacyElementFactory = {}; <del> <del>ReactLegacyElementFactory.wrapCreateFactory = function(createFactory) { <del> var legacyCreateFactory = function(type) { <del> if (typeof type !== 'function') { <del> // Non-function types cannot be legacy factories <del> return createFactory(type); <del> } <del> <del> if (type.isReactNonLegacyFactory) { <del> // This is probably a factory created by ReactDOM we unwrap it to get to <del> // the underlying string type. It shouldn't have been passed here so we <del> // warn. <del> if (__DEV__) { <del> warnForNonLegacyFactory(type); <del> } <del> return createFactory(type.type); <del> } <del> <del> if (type.isReactLegacyFactory) { <del> // This is probably a legacy factory created by ReactCompositeComponent. <del> // We unwrap it to get to the underlying class. <del> return createFactory(type.type); <del> } <del> <del> if (__DEV__) { <del> warnForPlainFunctionType(type); <del> } <del> <del> // Unless it's a legacy factory, then this is probably a plain function, <del> // that is expecting to be invoked by JSX. We can just return it as is. <del> return type; <del> }; <del> return legacyCreateFactory; <del>}; <del> <del>ReactLegacyElementFactory.wrapCreateElement = function(createElement) { <del> var legacyCreateElement = function(type, props, children) { <del> if (typeof type !== 'function') { <del> // Non-function types cannot be legacy factories <del> return createElement.apply(this, arguments); <del> } <del> <del> var args; <del> <del> if (type.isReactNonLegacyFactory) { <del> // This is probably a factory created by ReactDOM we unwrap it to get to <del> // the underlying string type. It shouldn't have been passed here so we <del> // warn. <del> if (__DEV__) { <del> warnForNonLegacyFactory(type); <del> } <del> args = Array.prototype.slice.call(arguments, 0); <del> args[0] = type.type; <del> return createElement.apply(this, args); <del> } <del> <del> if (type.isReactLegacyFactory) { <del> // This is probably a legacy factory created by ReactCompositeComponent. <del> // We unwrap it to get to the underlying class. <del> if (type._isMockFunction) { <del> // If this is a mock function, people will expect it to be called. We <del> // will actually call the original mock factory function instead. This <del> // future proofs unit testing that assume that these are classes. <del> type.type._mockedReactClassConstructor = type; <del> } <del> args = Array.prototype.slice.call(arguments, 0); <del> args[0] = type.type; <del> return createElement.apply(this, args); <del> } <del> <del> if (__DEV__) { <del> warnForPlainFunctionType(type); <del> } <del> <del> // This is being called with a plain function we should invoke it <del> // immediately as if this was used with legacy JSX. <del> return type.apply(null, Array.prototype.slice.call(arguments, 1)); <del> }; <del> return legacyCreateElement; <del>}; <del> <del>ReactLegacyElementFactory.wrapFactory = function(factory) { <del> invariant( <del> typeof factory === 'function', <del> 'This is suppose to accept a element factory' <del> ); <del> var legacyElementFactory = function(config, children) { <del> // This factory should not be called when JSX is used. Use JSX instead. <del> if (__DEV__) { <del> warnForLegacyFactoryCall(); <del> } <del> return factory.apply(this, arguments); <del> }; <del> proxyStaticMethods(legacyElementFactory, factory.type); <del> legacyElementFactory.isReactLegacyFactory = LEGACY_MARKER; <del> legacyElementFactory.type = factory.type; <del> return legacyElementFactory; <del>}; <del> <del>// This is used to mark a factory that will remain. E.g. we're allowed to call <del>// it as a function. However, you're not suppose to pass it to createElement <del>// or createFactory, so it will warn you if you do. <del>ReactLegacyElementFactory.markNonLegacyFactory = function(factory) { <del> factory.isReactNonLegacyFactory = NON_LEGACY_MARKER; <del> return factory; <del>}; <del> <del>// Checks if a factory function is actually a legacy factory pretending to <del>// be a class. <del>ReactLegacyElementFactory.isValidFactory = function(factory) { <del> // TODO: This will be removed and moved into a class validator or something. <del> return typeof factory === 'function' && <del> factory.isReactLegacyFactory === LEGACY_MARKER; <del>}; <del> <del>ReactLegacyElementFactory.isValidClass = function(factory) { <del> if (__DEV__) { <del> warning( <del> false, <del> 'isValidClass is deprecated and will be removed in a future release. ' + <del> 'Use a more specific validator instead.' <del> ); <del> } <del> return ReactLegacyElementFactory.isValidFactory(factory); <del>}; <del> <del>ReactLegacyElementFactory._isLegacyCallWarningEnabled = true; <del> <del>module.exports = ReactLegacyElementFactory; <ide><path>src/core/__tests__/ReactCompositeComponent-test.js <ide> describe('ReactCompositeComponent', function() { <ide> expect(ReactMount.purgeID.callCount).toBe(4); <ide> }); <ide> <del> it('should warn but detect valid CompositeComponent classes', function() { <del> var warn = console.warn; <del> console.warn = mocks.getMockFunction(); <del> <del> var Component = React.createClass({ <del> render: function() { <del> return <div/>; <del> } <del> }); <del> <del> expect(React.isValidClass(Component)).toBe(true); <del> <del> expect(console.warn.mock.calls.length).toBe(1); <del> expect(console.warn.mock.calls[0][0]).toContain( <del> 'isValidClass is deprecated and will be removed in a future release' <del> ); <del> }); <del> <del> it('should warn but detect invalid CompositeComponent classes', function() { <del> var warn = console.warn; <del> console.warn = mocks.getMockFunction(); <del> <del> var FnComponent = function() { <del> return false; <del> }; <del> <del> var NullComponent = null; <del> <del> var TrickFnComponent = function() { <del> return true; <del> }; <del> TrickFnComponent.componentConstructor = true; <del> <del> expect(React.isValidClass(FnComponent)).toBe(false); <del> expect(React.isValidClass(NullComponent)).toBe(false); <del> expect(React.isValidClass(TrickFnComponent)).toBe(false); <del> <del> expect(console.warn.mock.calls.length).toBe(3); <del> console.warn.mock.calls.forEach(function(call) { <del> expect(call[0]).toContain( <del> 'isValidClass is deprecated and will be removed in a future release' <del> ); <del> }); <del> }); <del> <ide> it('should warn when shouldComponentUpdate() returns undefined', function() { <ide> var warn = console.warn; <ide> console.warn = mocks.getMockFunction(); <ide><path>src/core/__tests__/ReactElement-test.js <ide> describe('ReactElement', function() { <ide> expect(ReactElement.isValidElement(Component)).toEqual(false); <ide> }); <ide> <del> it('warns but allow a plain function in a factory to be invoked', function() { <del> spyOn(console, 'warn'); <del> // This is a temporary helper to allow JSX with plain functions. <del> // This allow you to track down these callers and replace them with regular <del> // function calls. <del> var factory = React.createFactory(function (x) { <del> return 21 + x; <del> }); <del> expect(factory(21)).toBe(42); <del> expect(console.warn.argsForCall.length).toBe(1); <del> expect(console.warn.argsForCall[0][0]).toContain( <del> 'This JSX uses a plain function.' <del> ); <del> }); <del> <del> it('warns but allow a plain function to be immediately invoked', function() { <del> spyOn(console, 'warn'); <del> var result = React.createElement(function (x, y) { <del> return 21 + x + y; <del> }, 11, 10); <del> expect(result).toBe(42); <del> expect(console.warn.argsForCall.length).toBe(1); <del> expect(console.warn.argsForCall[0][0]).toContain( <del> 'This JSX uses a plain function.' <del> ); <del> }); <del> <del> it('warns but does not fail on undefined results', function() { <del> spyOn(console, 'warn'); <del> var fn = function () { }; <del> var result = React.createElement(fn, 1, 2, null); <del> expect(result).toBe(undefined); <del> expect(console.warn.argsForCall.length).toBe(1); <del> expect(console.warn.argsForCall[0][0]).toContain( <del> 'This JSX uses a plain function.' <del> ); <del> }); <del> <del> <ide> it('should expose the underlying class from a legacy factory', function() { <ide> var Legacy = React.createClass({ render: function() { } }); <ide> var factory = React.createFactory(Legacy); <ide><path>src/core/__tests__/ReactMockedComponent-test.js <add>/** <add> * Copyright 2013-2014, Facebook, Inc. <add> * All rights reserved. <add> * <add> * This source code is licensed under the BSD-style license found in the <add> * LICENSE file in the root directory of this source tree. An additional grant <add> * of patent rights can be found in the PATENTS file in the same directory. <add> * <add> * @emails react-core <add> */ <add> <add>"use strict"; <add> <add>var React; <add>var ReactComponent; <add>var ReactTestUtils; <add> <add>var reactComponentExpect; <add>var mocks; <add> <add>var OriginalComponent; <add>var AutoMockedComponent; <add>var MockedComponent; <add> <add>describe('ReactMockedComponent', function() { <add> <add> beforeEach(function() { <add> mocks = require('mocks'); <add> <add> React = require('React'); <add> ReactComponent = require('ReactComponent'); <add> ReactTestUtils = require('ReactTestUtils'); <add> <add> OriginalComponent = React.createClass({ <add> <add> getInitialState: function() { <add> return { foo: 'bar' }; <add> }, <add> <add> hasCustomMethod: function() { <add> return true; <add> }, <add> <add> render: function() { <add> return <span />; <add> } <add> <add> }); <add> <add> var metaData = mocks.getMetadata(OriginalComponent); <add> <add> AutoMockedComponent = mocks.generateFromMetadata(metaData); <add> MockedComponent = mocks.generateFromMetadata(metaData); <add> <add> ReactTestUtils.mockComponent(MockedComponent); <add> }); <add> <add> it('should allow an implicitly mocked component to be rendered', () => { <add> ReactTestUtils.renderIntoDocument(<AutoMockedComponent />); <add> }); <add> <add> it('should allow an implicitly mocked component to be updated', () => { <add> var Wrapper = React.createClass({ <add> <add> getInitialState: function() { <add> return { foo: 1 }; <add> }, <add> <add> update: function() { <add> this.setState({ foo: 2 }); <add> }, <add> <add> render: function() { <add> return <AutoMockedComponent prop={this.state.foo} />; <add> } <add> <add> }); <add> var instance = ReactTestUtils.renderIntoDocument(<Wrapper />); <add> instance.update(); <add> }); <add> <add> it('should find an implicitly mocked component in the tree', function() { <add> var instance = ReactTestUtils.renderIntoDocument( <add> <div><span><AutoMockedComponent prop="1" /></span></div> <add> ); <add> var found = ReactTestUtils.findRenderedComponentWithType( <add> instance, <add> AutoMockedComponent <add> ); <add> expect(typeof found).toBe('object'); <add> }); <add> <add> it('has custom methods on the implicitly mocked component', () => { <add> var instance = ReactTestUtils.renderIntoDocument(<AutoMockedComponent />); <add> expect(typeof instance.hasCustomMethod).toBe('function'); <add> }); <add> <add> it('should allow an explicitly mocked component to be rendered', () => { <add> ReactTestUtils.renderIntoDocument(<MockedComponent />); <add> }); <add> <add> it('should allow an explicitly mocked component to be updated', () => { <add> var Wrapper = React.createClass({ <add> <add> getInitialState: function() { <add> return { foo: 1 }; <add> }, <add> <add> update: function() { <add> this.setState({ foo: 2 }); <add> }, <add> <add> render: function() { <add> return <MockedComponent prop={this.state.foo} />; <add> } <add> <add> }); <add> var instance = ReactTestUtils.renderIntoDocument(<Wrapper />); <add> instance.update(); <add> }); <add> <add> it('should find an explicitly mocked component in the tree', function() { <add> var instance = ReactTestUtils.renderIntoDocument( <add> <div><span><MockedComponent prop="1" /></span></div> <add> ); <add> var found = ReactTestUtils.findRenderedComponentWithType( <add> instance, <add> MockedComponent <add> ); <add> expect(typeof found).toBe('object'); <add> }); <add> <add> it('has custom methods on the explicitly mocked component', () => { <add> var instance = ReactTestUtils.renderIntoDocument(<MockedComponent />); <add> expect(typeof instance.hasCustomMethod).toBe('function'); <add> }); <add> <add>}); <ide><path>src/core/instantiateReactComponent.js <ide> var warning = require('warning'); <ide> <ide> var ReactElement = require('ReactElement'); <del>var ReactLegacyElement = require('ReactLegacyElement'); <ide> var ReactNativeComponent = require('ReactNativeComponent'); <del>var ReactEmptyComponent = require('ReactEmptyComponent'); <add> <add>// This is temporary until we've hidden all the implementation details <add>// TODO: Delete this hack once implementation details are hidden <add>var publicAPIs = { <add> forceUpdate: true, <add> replaceState: true, <add> setProps: true, <add> setState: true, <add> getDOMNode: true <add> // Public APIs used internally: <add> // isMounted: true, <add> // replaceProps: true, <add>}; <add> <add>function unmockImplementationDetails(mockInstance) { <add> var ReactCompositeComponentBase = instantiateReactComponent._compositeBase; <add> for (var key in ReactCompositeComponentBase.prototype) { <add> if (!publicAPIs.hasOwnProperty(key)) { <add> mockInstance[key] = ReactCompositeComponentBase.prototype[key]; <add> } <add> } <add>} <ide> <ide> /** <ide> * Given an `element` create an instance that will actually be mounted. <ide> function instantiateReactComponent(element, parentCompositeType) { <ide> typeof element.type === 'string'), <ide> 'Only functions or strings can be mounted as React components.' <ide> ); <del> <del> // Resolve mock instances <del> if (element.type._mockedReactClassConstructor) { <del> // If this is a mocked class, we treat the legacy factory as if it was the <del> // class constructor for future proofing unit tests. Because this might <del> // be mocked as a legacy factory, we ignore any warnings triggerd by <del> // this temporary hack. <del> ReactLegacyElement._isLegacyCallWarningEnabled = false; <del> try { <del> instance = new element.type._mockedReactClassConstructor( <del> element.props <del> ); <del> } finally { <del> ReactLegacyElement._isLegacyCallWarningEnabled = true; <del> } <del> <del> // If the mock implementation was a legacy factory, then it returns a <del> // element. We need to turn this into a real component instance. <del> if (ReactElement.isValidElement(instance)) { <del> instance = new instance.type(instance.props); <del> } <del> <del> var render = instance.render; <del> if (!render) { <del> // For auto-mocked factories, the prototype isn't shimmed and therefore <del> // there is no render function on the instance. We replace the whole <del> // component with an empty component instance instead. <del> element = ReactEmptyComponent.getEmptyComponent(); <del> } else { <del> if (render._isMockFunction && !render._getMockImplementation()) { <del> // Auto-mocked components may have a prototype with a mocked render <del> // function. For those, we'll need to mock the result of the render <del> // since we consider undefined to be invalid results from render. <del> render.mockImplementation( <del> ReactEmptyComponent.getEmptyComponent <del> ); <del> } <del> instance.construct(element); <del> return instance; <del> } <del> } <ide> } <ide> <ide> // Special case string values <ide> function instantiateReactComponent(element, parentCompositeType) { <ide> } <ide> <ide> if (__DEV__) { <add> if (element.type._isMockFunction) { <add> // TODO: Remove this special case <add> unmockImplementationDetails(instance); <add> } <add> <ide> warning( <ide> typeof instance.construct === 'function' && <ide> typeof instance.mountComponent === 'function' && <ide><path>src/test/ReactTestUtils.js <ide> var ReactTestUtils = { <ide> isElementOfType: function(inst, convenienceConstructor) { <ide> return ( <ide> ReactElement.isValidElement(inst) && <del> inst.type === convenienceConstructor.type <add> inst.type === convenienceConstructor <ide> ); <ide> }, <ide> <ide> var ReactTestUtils = { <ide> <ide> isCompositeComponentWithType: function(inst, type) { <ide> return !!(ReactTestUtils.isCompositeComponent(inst) && <del> (inst.constructor === type.type)); <add> (inst.constructor === type)); <ide> }, <ide> <ide> isCompositeComponentElement: function(inst) { <ide> var ReactTestUtils = { <ide> mockComponent: function(module, mockTagName) { <ide> mockTagName = mockTagName || module.mockTagName || "div"; <ide> <del> var ConvenienceConstructor = React.createClass({ <del> render: function() { <del> return React.createElement( <del> mockTagName, <del> null, <del> this.props.children <del> ); <del> } <add> module.prototype.render.mockImplementation(function() { <add> return React.createElement( <add> mockTagName, <add> null, <add> this.props.children <add> ); <ide> }); <ide> <del> module.mockImplementation(ConvenienceConstructor); <del> <del> module.type = ConvenienceConstructor.type; <del> module.isReactLegacyFactory = true; <del> <ide> return this; <ide> }, <ide>
14
Go
Go
remove redundant nil checks
de1094bc95322941182a99cb165dbaad3fe1512f
<ide><path>daemon/info_unix.go <ide> func (daemon *Daemon) fillPlatformInfo(v *types.Info, sysInfo *sysinfo.SysInfo) <ide> } <ide> <ide> func fillDriverWarnings(v *types.Info) { <del> if v.DriverStatus == nil { <del> return <del> } <ide> for _, pair := range v.DriverStatus { <ide> if pair[0] == "Data loop file" { <ide> msg := fmt.Sprintf("WARNING: %s: usage of loopback devices is "+ <ide> func fillDriverWarnings(v *types.Info) { <ide> } <ide> <ide> func getBackingFs(v *types.Info) string { <del> if v.DriverStatus == nil { <del> return "" <del> } <ide> for _, pair := range v.DriverStatus { <ide> if pair[0] == "Backing Filesystem" { <ide> return pair[1]
1
Javascript
Javascript
fix excessive indentation
8226ff8b8ec262a614ddb7635c33abf8e5624c67
<ide><path>test/ngMock/angular-mocksSpec.js <ide> describe('ngMock', function() { <ide> }); <ide> <ide> it('should provide "route" shortcuts for expect and when', function() { <del> expect(typeof hb.whenRoute).toBe("function"); <del> expect(typeof hb.expectRoute).toBe("function"); <add> expect(typeof hb.whenRoute).toBe("function"); <add> expect(typeof hb.expectRoute).toBe("function"); <ide> }); <ide> <ide>
1
Ruby
Ruby
remove unneeded `curl_openssl_or_deps` invocation
c2bbd9df7e6d0860dc144cc12d44ed5d75efcb21
<ide><path>Library/Homebrew/dev-cmd/audit.rb <ide> def audit_urls <ide> # pull request. <ide> next if url =~ %r{^https://dl.bintray.com/homebrew/mirror/} <ide> <del> if http_content_problem = curl_check_http_content(url, require_http: curl_openssl_or_deps) <add> if http_content_problem = curl_check_http_content(url) <ide> problem http_content_problem <ide> end <ide> elsif strategy <= GitDownloadStrategy <ide><path>Library/Homebrew/utils/curl.rb <ide> def curl_output(*args, **options) <ide> print_stderr: false) <ide> end <ide> <del>def curl_check_http_content(url, user_agents: [:default], check_content: false, strict: false, require_http: false) <add>def curl_check_http_content(url, user_agents: [:default], check_content: false, strict: false) <ide> return unless url.start_with? "http" <ide> <ide> details = nil <ide> user_agent = nil <del> hash_needed = url.start_with?("http:") && !require_http <add> hash_needed = url.start_with?("http:") <ide> user_agents.each do |ua| <ide> details = curl_http_content_headers_and_checksum(url, hash_needed: hash_needed, user_agent: ua) <ide> user_agent = ua
2
Text
Text
add link & simplify data event (net.socket)
df0a37ac363569d9c6348c603e444f089e64a89e
<ide><path>doc/api/net.md <ide> added: v0.1.90 <ide> * {Buffer} <ide> <ide> Emitted when data is received. The argument `data` will be a `Buffer` or <del>`String`. Encoding of data is set by `socket.setEncoding()`. <del>(See the [Readable Stream][] section for more information.) <add>`String`. Encoding of data is set by [`socket.setEncoding()`][]. <ide> <ide> Note that the **data will be lost** if there is no listener when a `Socket` <ide> emits a `'data'` event. <ide> added: v0.1.90 <ide> * Returns: {net.Socket} The socket itself. <ide> <ide> Set the encoding for the socket as a [Readable Stream][]. See <del>[`stream.setEncoding()`][] for more information. <add>[`readable.setEncoding()`][] for more information. <ide> <ide> ### socket.setKeepAlive([enable][, initialDelay]) <ide> <!-- YAML <ide> Returns true if input is a version 6 IP address, otherwise returns false. <ide> [`socket.end()`]: #net_socket_end_data_encoding <ide> [`socket.pause()`]: #net_socket_pause <ide> [`socket.resume()`]: #net_socket_resume <add>[`socket.setEncoding()`]: #net_socket_setencoding_encoding <ide> [`socket.setTimeout()`]: #net_socket_settimeout_timeout_callback <ide> [`socket.setTimeout(timeout)`]: #net_socket_settimeout_timeout_callback <del>[`stream.setEncoding()`]: stream.html#stream_readable_setencoding_encoding <add>[`readable.setEncoding()`]: stream.html#stream_readable_setencoding_encoding <ide> [IPC]: #net_ipc_support <ide> [Identifying paths for IPC connections]: #net_identifying_paths_for_ipc_connections <ide> [Readable Stream]: stream.html#stream_class_stream_readable
1
Text
Text
add prose guidelines (wip)
be336159fb967b1b0855614aeaff885d45e7a96a
<ide><path>share/doc/homebrew/Prose-Style-Guidelines.md <add># Prose Style Guidelines <add> <add>This is a set of style and usage guidelines for Homebrew's prose documentation aimed at users, contributors, and maintainers (as opposed to executable computer code). It applies to documents like those in `share/doc/homebrew` in the `Homebrew/brew` repo, announcement emails, and other communications with the Homebrew community. <add> <add>This does not apply to any Ruby or other computer code. You can use it to inform technical documentation extracted from computer code, like embedded man pages, but it's just a suggestion there. <add> <add>## Goals and audience <add> <add>The primary goal of Homebrew's prose documents is communicating with its community of users and contributors. "Users" includes "contributors" here; wherever you see "users" you can substitute "users and contributors". <add> <add>Understandability trumps any particular style guideline. <add> <add>Users trump maintainers, except in specifically maintainer-focused documents. <add> <add>Homebrew's audience includes users with a wide range of education and experience, and users for whom English is not a native language. We aim to support as many of those users as feasible. <add> <add>We strive for "correct" but not "fancy" usage. Think newspaper article, not academic paper. <add> <add>This is a set of guidelines to be applied using human judgment, not a set of hard and fast rules. It is like [The Economist's Style Guide](http://www.economist.com/styleguide/introduction) or [Garner's Modern American Usage](https://en.wikipedia.org/wiki/Garner's_Modern_American_Usage). It is less like the [Ruby Style Guide](https://github.com/bbatsov/ruby-style-guide). All guidelines here are open to interpretation and discussion. 100% conformance to these guidelines is *not* a goal. <add> <add>The intent of this document is to help authors make decisions about clarity, style, and consistency. It is not to help settle arguments about who knows English better. Don't use this document to be a jerk. <add> <add>## Guidelines <add> <add>We prefer: <add> <add>### Style and usage <add> <add>* British/Commonwealth English over American English, in general <add>* "e.g." and "i.e.": Go ahead and use "e.g." or "i.e." instead of spelling them out. Don't worry about putting a comma after them. <add> * "e.g." means "for example"; "i.e." means "that is" <add>* Offset nontrivial subordinate clauses with commas <add> <add>### Personal pronouns <add> <add>* We respect all people's choice of personal pronouns <add>* Singular "they" when someone's gender is unknown <add>* Avoid gender-specific language when not necessary <add> <add>### Structure and markup <add> <add>* Sentence case in section headings, not Title Case <add>* Periods at the ends of list items where most items in that list are complete sentences <add>* More generally, parallel list item structure <add>* Capitalize all list items if you want, even if they're not complete sentences; just be consistent within each list, and preferably, throughout the whole page <add>* Use a subordinate list item instead of dropping a multi-sentence paragraph-long item into a list of sentence fragments <add>* Prefer Markdown over other markup formats unless their specific features are needed. <add>* GitHub flavored Markdown. GitHub's implementation is the standard, period. <add> <add>### Typographical conventions <add> <add>* Literal text in commands and code is styled in `fixed width font` <add>* Placeholders inside code snippets are marked up with `<...>` brackets <add> * e.g. `git remote add <my-user-name> https://github.com/<my-user-name>/homebrew-core.git` <add>* Names of commands like `git` and `brew` are styled in `fixed width font` <add>* No "$" with environment variables mentioned outside code snippets <add> * e.g. "Set `BLAH` to 5", not "Set `$BLAH` to 5" <add>* One space after periods, not two <add>* Capitalized proper nouns <add>* We do not defer to extensive nonstandard capitalization, typesetting, or other styling of brand names, aside from the normal capitalization of proper nouns and simple internal capitalization <add>* No "TM", &trade;, <sup>SM</sup>, &copy;, &reg;, or other explicit indicators of rights ownership or trademarks; we take these as understood when the brand name is mentioned <add>* Tap names like `homebrew/core` are styled in `fixed width font`. Repository names may be styled in either fixed width font like "`Homebrew/homebrew-core`", as links like "[Homebrew/homebrew-core](https://github.com/homebrew/homebrew-core)", or regular text like "Homebrew/homebrew-core", based on which looks best for a given use. <add> * But be consistent within a single document <add> * Capitalize repository names to match the user and repository names on GitHub. Keep tap names in lower case. <add>* Commas <add> * No Oxford commas <add> * Prefer a "loose" comma style: "when in doubt, leave it out" unless needed for clarity <add> <add>### Terminology, words, and word styling <add> <add>* "pull request", not "Pull Request" <add>* "check out" is the verb; "checkout" is the noun <add>* Spell out certain technical words <add> * "repository", not "repo" <add> * When abbreviating, introduce the abbreviation with the first usage in any document <add>* Some abbreviations (near-universally understood among our user base) are fine, though. <add> * "Mac" is fine; "Macintosh" isn't necessary <add>* "OS X", not "OSX" or "MacOS" <add>* "RuboCop", not "Rubocop" <add>* A pull request is made "on" a repository; that repository is "at" a URL <add> <add>## How to use these guidelines <add> <add>Refer to these guidelines to make decisions about style and usage in your own writing for Homebrew documents and communication. <add> <add>PRs that fix style and usage throughout a document or multiple documents are okay and encouraged. PRs for just one or two style changes are a bit much. <add> <add>Giving style and usage feedback on a PR or commit that involves documents is okay and encouraged. But keep in mind that these are just guidelines, and for any change, the author may have made a deliberate choice to break these rules in the interest of understandability or aesthetics.
1
Text
Text
fix typo in feature request issue template.
df7795f5875c11ff6a8e30c2d285e6a8946b4f18
<ide><path>.github/ISSUE_TEMPLATE/Feature-Request.md <ide> To check an item on the list replace [ ] with [x]. <ide> - [ ] I have checked the [pull requests list](https://github.com/celery/celery/pulls?utf8=%E2%9C%93&q=is%3Apr+label%3A%22PR+Type%3A+Feature%22+) <ide> for existing proposed implementations of this feature. <ide> - [ ] I have checked the [commit log](https://github.com/celery/celery/commits/master) <del> to find out if the if the same feature was already implemented in the <add> to find out if the same feature was already implemented in the <ide> master branch. <ide> - [ ] I have included all related issues and possible duplicate issues <ide> in this issue (If there are none, check this box anyway).
1
Javascript
Javascript
test non-flag and re-runs of telemetry cmds
79090718da0c361bb954eaa5547a2d175191fe51
<ide><path>test/integration/telemetry/test/index.test.js <ide> describe('Telemetry CLI', () => { <ide> expect(stdout).toMatch(/Status: .*/) <ide> }) <ide> <del> it('can enable telemetry', async () => { <add> it('can enable telemetry with flag', async () => { <ide> const { stdout } = await runNextCommand(['telemetry', '--enable'], { <ide> stdout: true <ide> }) <ide> expect(stdout).toMatch(/Success/) <ide> expect(stdout).toMatch(/Status: Enabled/) <ide> }) <ide> <del> it('can disable telemetry', async () => { <add> it('can disable telemetry with flag', async () => { <ide> const { stdout } = await runNextCommand(['telemetry', '--disable'], { <ide> stdout: true <ide> }) <ide> expect(stdout).toMatch(/Your preference has been saved/) <ide> expect(stdout).toMatch(/Status: Disabled/) <ide> }) <add> <add> it('can enable telemetry without flag', async () => { <add> const { stdout } = await runNextCommand(['telemetry', 'enable'], { <add> stdout: true <add> }) <add> expect(stdout).toMatch(/Success/) <add> expect(stdout).toMatch(/Status: Enabled/) <add> }) <add> <add> it('can re-enable telemetry', async () => { <add> const { stdout } = await runNextCommand(['telemetry', 'enable'], { <add> stdout: true <add> }) <add> expect(stdout).toMatch(/Success/) <add> expect(stdout).toMatch(/Status: Enabled/) <add> }) <add> <add> it('can disable telemetry without flag', async () => { <add> const { stdout } = await runNextCommand(['telemetry', 'disable'], { <add> stdout: true <add> }) <add> expect(stdout).toMatch(/Your preference has been saved/) <add> expect(stdout).toMatch(/Status: Disabled/) <add> }) <add> <add> it('can re-disable telemetry', async () => { <add> const { stdout } = await runNextCommand(['telemetry', 'disable'], { <add> stdout: true <add> }) <add> expect(stdout).toMatch(/already disabled/) <add> expect(stdout).toMatch(/Status: Disabled/) <add> }) <ide> })
1
Javascript
Javascript
remove unused vars
71de1162c7e20f04eb61339a1aee1fa7b3b02dc0
<ide><path>packages/ember-metal/lib/mixin.js <ide> import { <ide> removeListener <ide> } from './events'; <ide> <del>const a_slice = Array.prototype.slice; <ide> const a_concat = Array.prototype.concat; <ide> const { isArray } = Array; <ide> <ide> function isMethod(obj) { <ide> return 'function' === typeof obj && <del> obj.isMethod !== false && <del> obj !== Boolean && <del> obj !== Object && <del> obj !== Number && <del> obj !== Array && <del> obj !== Date && <del> obj !== String; <add> obj.isMethod !== false && <add> obj !== Boolean && <add> obj !== Object && <add> obj !== Number && <add> obj !== Array && <add> obj !== Date && <add> obj !== String; <ide> } <ide> <ide> const CONTINUE = {}; <ide> function addNormalizedProperty(base, key, value, meta, descs, values, concats, m <ide> values[key] = undefined; <ide> } else { <ide> if ((concats && concats.indexOf(key) >= 0) || <del> key === 'concatenatedProperties' || <del> key === 'mergedProperties') { <add> key === 'concatenatedProperties' || <add> key === 'mergedProperties') { <ide> value = applyConcatenatedProperties(base, key, value, values); <ide> } else if ((mergings && mergings.indexOf(key) >= 0)) { <ide> value = applyMergedProperties(base, key, value, values); <ide> export function aliasMethod(methodName) { <ide> @public <ide> */ <ide> export function observer(...args) { <del> let func = args.slice(-1)[0]; <add> let func = args[args.length - 1]; <ide> let paths; <ide> <ide> let addWatchedProperty = path => { <ide> export function _immediateObserver() { <ide> @private <ide> */ <ide> export function _beforeObserver(...args) { <del> let func = args.slice(-1)[0]; <add> let func = args[args.length - 1]; <ide> let paths; <ide> <ide> let addWatchedProperty = path => { paths.push(path); }; <ide><path>packages/ember-runtime/lib/system/core_object.js <ide> let ClassMixinProps = { <ide> metaForProperty(key) { <ide> let proto = this.proto(); <ide> let possibleDesc = proto[key]; <del> let isDescriptor = possibleDesc !== null && typeof possibleDesc === 'object' && possibleDesc.isDescriptor; <ide> <ide> assert( <ide> `metaForProperty() could not find a computed property with key '${key}'.`, <del> isDescriptor && possibleDesc instanceof ComputedProperty <add> possibleDesc !== null && typeof possibleDesc === 'object' && possibleDesc.isDescriptor <ide> ); <ide> return possibleDesc._meta || {}; <ide> },
2
Text
Text
change inconsistencies of informal address
979e7f2a5dc36a6c81cc8302d25a30adaa1156f0
<ide><path>guide/spanish/agile/acceptance-testing/index.md <ide> Puede escribir Pruebas de aceptación para cada una de estas subcaracterísticas <ide> <ide> Aparte del código que maneja la infraestructura de cómo se ejecutará la prueba, su prueba para el primer escenario podría verse como (en pseudocódigo): <ide> <del>Dado que la página está abierta El cuadro de diálogo debe ser visible Y el cuadro de diálogo debe contener un cuadro de entrada Y el cuadro de entrada debe tener un texto de marcador de posición "¡Tu nombre, por favor!" <add>Dado que la página está abierta el cuadro de diálogo debe ser visible y el cuadro de diálogo debe contener un cuadro de entrada y el cuadro de entrada debe tener un texto de marcador de posición "¡Tu nombre, por favor!" <ide> <ide> ### Notas <ide> <ide> Las Pruebas de aceptación se pueden escribir en cualquier idioma y se ejecutan utilizando varias herramientas disponibles que se ocuparían de la infraestructura mencionada anteriormente, por ejemplo, abrir un navegador, cargar una página, proporcionar los métodos para acceder a los elementos de la página, bibliotecas de afirmaciones, etc. <ide> <del>Cada vez que escribes una pieza de software que se utilizará de nuevo (incluso por ti mismo), es útil escribir una prueba para ello. Cuando usted u otro realice cambios en este código, la ejecución de las pruebas garantizará que no haya roto la funcionalidad existente. <add>Cada vez que escribe una pieza de software que se utilizará de nuevo (incluso por si mismo), es útil escribir una prueba para ello. Cuando usted u otro realice cambios en este código, la ejecución de las pruebas garantizará que no haya roto la funcionalidad existente. <ide> <ide> Normalmente lo realizan los usuarios o los expertos en la materia. También se llama como prueba de aceptación del usuario (UAT). La UAT involucra los escenarios de la vida real más comunes. A diferencia de las pruebas del sistema, no se enfoca en los errores o fallas, sino en la funcionalidad. UAT se realiza al final del ciclo de vida de la prueba y decidirá si el software se moverá al siguiente entorno o no. <ide> <ide> Las pruebas de aceptación también pueden validar si una épica / historia / ta <ide> <ide> #### Más información: <ide> <del>* [Junta Internacional de Calificación de Pruebas de Software](http://www.istqb.org/) <ide>\ No newline at end of file <add>* [Junta Internacional de Calificación de Pruebas de Software](http://www.istqb.org/)
1
Javascript
Javascript
add more tests for angle bracket invocation
fad23096407e44fd74a8183ca227eed7a22d18f3
<ide><path>packages/ember-glimmer/tests/integration/components/angle-bracket-invocation-test.js <ide> import { moduleFor, RenderingTest } from '../../utils/test-case'; <add>import { set } from 'ember-metal'; <ide> import { Component } from '../../utils/helpers'; <add>import { strip } from '../../utils/abstract-test-case'; <add>import { classes } from '../../utils/test-helpers'; <ide> <ide> moduleFor( <ide> 'AngleBracket Invocation', <ide> class extends RenderingTest { <del> '@test it can render a basic template only component'() { <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can render a basic template only component'() { <ide> this.registerComponent('foo-bar', { template: 'hello' }); <ide> <ide> this.render('<FooBar />'); <ide> moduleFor( <ide> this.assertComponentElement(this.firstChild, { content: 'hello' }); <ide> } <ide> <del> '@test it can render a basic component with template and javascript'() { <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can render a basic component with template and javascript'() { <ide> this.registerComponent('foo-bar', { <ide> template: 'FIZZ BAR {{local}}', <ide> ComponentClass: Component.extend({ local: 'hey' }), <ide> moduleFor( <ide> <ide> this.assertComponentElement(this.firstChild, { content: 'FIZZ BAR hey' }); <ide> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can render a single word component name'() { <add> this.registerComponent('foo', { template: 'hello' }); <add> <add> this.render('<Foo />'); <add> <add> this.assertComponentElement(this.firstChild, { content: 'hello' }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { content: 'hello' }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can not render a component name without initial capital letter'( <add> assert <add> ) { <add> this.registerComponent('div', { <add> ComponentClass: Component.extend({ <add> init() { <add> assert.ok(false, 'should not have created component'); <add> }, <add> }), <add> }); <add> <add> this.render('<div></div>'); <add> <add> this.assertElement(this.firstChild, { tagName: 'div', content: '' }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can have a custom id and it is not bound'() { <add> this.registerComponent('foo-bar', { template: '{{id}} {{elementId}}' }); <add> <add> this.render('<FooBar @id={{customId}} />', { <add> customId: 'bizz', <add> }); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { id: 'bizz' }, <add> content: 'bizz bizz', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { id: 'bizz' }, <add> content: 'bizz bizz', <add> }); <add> <add> this.runTask(() => set(this.context, 'customId', 'bar')); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { id: 'bizz' }, <add> content: 'bar bizz', <add> }); <add> <add> this.runTask(() => set(this.context, 'customId', 'bizz')); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { id: 'bizz' }, <add> content: 'bizz bizz', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can have a custom tagName'() { <add> let FooBarComponent = Component.extend({ <add> tagName: 'foo-bar', <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: 'hello', <add> }); <add> <add> this.render('<FooBar></FooBar>'); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'foo-bar', <add> content: 'hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'foo-bar', <add> content: 'hello', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can have a custom tagName from the invocation'() { <add> this.registerComponent('foo-bar', { template: 'hello' }); <add> <add> this.render('<FooBar @tagName="foo-bar" />'); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'foo-bar', <add> content: 'hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'foo-bar', <add> content: 'hello', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can have custom classNames'() { <add> let FooBarComponent = Component.extend({ <add> classNames: ['foo', 'bar'], <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: 'hello', <add> }); <add> <add> this.render('<FooBar />'); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar') }, <add> content: 'hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar') }, <add> content: 'hello', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) class property on components can be dynamic'() { <add> this.registerComponent('foo-bar', { template: 'hello' }); <add> <add> this.render('<FooBar @class={{if fooBar "foo-bar"}} />', { <add> fooBar: true, <add> }); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello', <add> attrs: { class: classes('ember-view foo-bar') }, <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello', <add> attrs: { class: classes('ember-view foo-bar') }, <add> }); <add> <add> this.runTask(() => set(this.context, 'fooBar', false)); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello', <add> attrs: { class: classes('ember-view') }, <add> }); <add> <add> this.runTask(() => set(this.context, 'fooBar', true)); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello', <add> attrs: { class: classes('ember-view foo-bar') }, <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can set custom classNames from the invocation'() { <add> let FooBarComponent = Component.extend({ <add> classNames: ['foo'], <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: 'hello', <add> }); <add> <add> this.render(strip` <add> <FooBar @class="bar baz" /> <add> <FooBar @classNames="bar baz" /> <add> <FooBar /> <add> `); <add> <add> this.assertComponentElement(this.nthChild(0), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar baz') }, <add> content: 'hello', <add> }); <add> this.assertComponentElement(this.nthChild(1), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar baz') }, <add> content: 'hello', <add> }); <add> this.assertComponentElement(this.nthChild(2), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo') }, <add> content: 'hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.nthChild(0), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar baz') }, <add> content: 'hello', <add> }); <add> this.assertComponentElement(this.nthChild(1), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo bar baz') }, <add> content: 'hello', <add> }); <add> this.assertComponentElement(this.nthChild(2), { <add> tagName: 'div', <add> attrs: { class: classes('ember-view foo') }, <add> content: 'hello', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it has an element'() { <add> let instance; <add> <add> let FooBarComponent = Component.extend({ <add> init() { <add> this._super(); <add> instance = this; <add> }, <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: 'hello', <add> }); <add> <add> this.render('<FooBar></FooBar>'); <add> <add> let element1 = instance.element; <add> <add> this.assertComponentElement(element1, { content: 'hello' }); <add> <add> this.runTask(() => this.rerender()); <add> <add> let element2 = instance.element; <add> <add> this.assertComponentElement(element2, { content: 'hello' }); <add> <add> this.assertSameNode(element2, element1); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it has the right parentView and childViews'( <add> assert <add> ) { <add> let fooBarInstance, fooBarBazInstance; <add> <add> let FooBarComponent = Component.extend({ <add> init() { <add> this._super(); <add> fooBarInstance = this; <add> }, <add> }); <add> <add> let FooBarBazComponent = Component.extend({ <add> init() { <add> this._super(); <add> fooBarBazInstance = this; <add> }, <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: 'foo-bar {{foo-bar-baz}}', <add> }); <add> this.registerComponent('foo-bar-baz', { <add> ComponentClass: FooBarBazComponent, <add> template: 'foo-bar-baz', <add> }); <add> <add> this.render('<FooBar />'); <add> this.assertText('foo-bar foo-bar-baz'); <add> <add> assert.equal(fooBarInstance.parentView, this.component); <add> assert.equal(fooBarBazInstance.parentView, fooBarInstance); <add> <add> assert.deepEqual(this.component.childViews, [fooBarInstance]); <add> assert.deepEqual(fooBarInstance.childViews, [fooBarBazInstance]); <add> <add> this.runTask(() => this.rerender()); <add> this.assertText('foo-bar foo-bar-baz'); <add> <add> assert.equal(fooBarInstance.parentView, this.component); <add> assert.equal(fooBarBazInstance.parentView, fooBarInstance); <add> <add> assert.deepEqual(this.component.childViews, [fooBarInstance]); <add> assert.deepEqual(fooBarInstance.childViews, [fooBarBazInstance]); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it renders passed named arguments'() { <add> this.registerComponent('foo-bar', { <add> template: '{{@foo}}', <add> }); <add> <add> this.render('<FooBar @foo={{model.bar}} />', { <add> model: { <add> bar: 'Hola', <add> }, <add> }); <add> <add> this.assertText('Hola'); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertText('Hola'); <add> <add> this.runTask(() => this.context.set('model.bar', 'Hello')); <add> <add> this.assertText('Hello'); <add> <add> this.runTask(() => this.context.set('model', { bar: 'Hola' })); <add> <add> this.assertText('Hola'); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it reflects named arguments as properties'() { <add> this.registerComponent('foo-bar', { <add> template: '{{foo}}', <add> }); <add> <add> this.render('<FooBar @foo={{model.bar}} />', { <add> model: { <add> bar: 'Hola', <add> }, <add> }); <add> <add> this.assertText('Hola'); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertText('Hola'); <add> <add> this.runTask(() => this.context.set('model.bar', 'Hello')); <add> <add> this.assertText('Hello'); <add> <add> this.runTask(() => this.context.set('model', { bar: 'Hola' })); <add> <add> this.assertText('Hola'); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can render a basic component with a block'() { <add> this.registerComponent('foo-bar', { <add> template: '{{yield}} - In component', <add> }); <add> <add> this.render('<FooBar>hello</FooBar>'); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello - In component', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'hello - In component', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) it can yield internal and external properties positionally'() { <add> let instance; <add> <add> let FooBarComponent = Component.extend({ <add> init() { <add> this._super(...arguments); <add> instance = this; <add> }, <add> greeting: 'hello', <add> }); <add> <add> this.registerComponent('foo-bar', { <add> ComponentClass: FooBarComponent, <add> template: '{{yield greeting greetee.firstName}}', <add> }); <add> <add> this.render( <add> '<FooBar @greetee={{person}} as |greeting name|>{{name}} {{person.lastName}}, {{greeting}}</FooBar>', <add> { <add> person: { <add> firstName: 'Joel', <add> lastName: 'Kang', <add> }, <add> } <add> ); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'Joel Kang, hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'Joel Kang, hello', <add> }); <add> <add> this.runTask(() => <add> set(this.context, 'person', { <add> firstName: 'Dora', <add> lastName: 'the Explorer', <add> }) <add> ); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'Dora the Explorer, hello', <add> }); <add> <add> this.runTask(() => set(instance, 'greeting', 'hola')); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'Dora the Explorer, hola', <add> }); <add> <add> this.runTask(() => { <add> set(instance, 'greeting', 'hello'); <add> set(this.context, 'person', { <add> firstName: 'Joel', <add> lastName: 'Kang', <add> }); <add> }); <add> <add> this.assertComponentElement(this.firstChild, { <add> content: 'Joel Kang, hello', <add> }); <add> } <add> <add> '@feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) positional parameters are not allowed'() { <add> this.registerComponent('sample-component', { <add> ComponentClass: Component.extend().reopenClass({ <add> positionalParams: ['name', 'age'], <add> }), <add> template: '{{name}}{{age}}', <add> }); <add> <add> // this is somewhat silly as the browser "corrects" for these as <add> // attribute names, but regardless the thing we care about here is that <add> // they are **not** used as positional params <add> this.render('<SampleComponent Quint 4 />'); <add> <add> this.assertText(''); <add> } <add> <add> '@skip @feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) can invoke curried components with capitalized block param names'() { <add> this.registerComponent('foo-bar', { template: 'hello' }); <add> <add> this.render(strip` <add> {{#with (component 'foo-bar') as |Other|}} <add> <Other /> <add> {{/with}} <add> `); <add> <add> this.assertComponentElement(this.firstChild, { content: 'hello' }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { content: 'hello' }); <add> <add> this.assertStableRerender(); <add> } <add> <add> '@skip @feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) has-block'() { <add> this.registerComponent('check-block', { <add> template: strip` <add> {{#if (has-block)}} <add> Yes <add> {{else}} <add> No <add> {{/if}}`, <add> }); <add> <add> this.render(strip` <add> <CheckBlock /> <add> <CheckBlock></CheckBlock>`); <add> <add> this.assertComponentElement(this.firstChild, { content: 'No' }); <add> this.assertComponentElement(this.nthChild(1), { content: 'Yes' }); <add> <add> this.assertStableRerender(); <add> } <add> <add> '@skip @feature(EMBER_GLIMMER_ANGLE_BRACKET_INVOCATION) includes invocation specified attributes in root element ("splattributes")'() { <add> this.registerComponent('foo-bar', { <add> ComponentClass: Component.extend(), <add> template: 'hello', <add> }); <add> <add> this.render('<FooBar data-foo={{foo}} data-bar={{bar}} />', { foo: 'foo', bar: 'bar' }); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { 'data-foo': 'foo', 'data-bar': 'bar' }, <add> content: 'hello', <add> }); <add> <add> this.runTask(() => this.rerender()); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { 'data-foo': 'foo', 'data-bar': 'bar' }, <add> content: 'hello', <add> }); <add> <add> this.runTask(() => { <add> set(this.context, 'foo', 'FOO'); <add> set(this.context, 'bar', undefined); <add> }); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { 'data-foo': 'FOO' }, <add> content: 'hello', <add> }); <add> <add> this.runTask(() => { <add> set(this.context, 'foo', 'foo'); <add> set(this.context, 'bar', 'bar'); <add> }); <add> <add> this.assertComponentElement(this.firstChild, { <add> tagName: 'div', <add> attrs: { 'data-foo': 'foo', 'data-bar': 'bar' }, <add> content: 'hello', <add> }); <add> } <ide> } <ide> );
1
Python
Python
clarify some docs
0d19fa0a061d91f0a6fec5cc60af4a4c1b46aa9b
<ide><path>flask/helpers.py <ide> def _set_static_url_path(self, value): <ide> @property <ide> def has_static_folder(self): <ide> """This is ``True`` if the package bound object's container has a <del> folder named ``'static'``. <add> folder for static files. <ide> <ide> .. versionadded:: 0.5 <ide> """ <ide><path>flask/json.py <ide> def default(self, o): <ide> <ide> class JSONDecoder(_json.JSONDecoder): <ide> """The default JSON decoder. This one does not change the behavior from <del> the default simplejson encoder. Consult the :mod:`json` documentation <add> the default simplejson decoder. Consult the :mod:`json` documentation <ide> for more information. This decoder is not only used for the load <ide> functions of this module but also :attr:`~flask.Request`. <ide> """
2
Ruby
Ruby
add activemodel requirement to application.rb
ab727743bf8a7e27ab1e1cc6097a07e5792aa7da
<ide><path>railties/lib/rails/generators/rails/app/templates/config/application.rb <ide> require 'rails/all' <ide> <% else -%> <ide> # Pick the frameworks you want: <add>require "active_model/railtie" <ide> <%= comment_if :skip_active_record %>require "active_record/railtie" <ide> require "action_controller/railtie" <ide> require "action_mailer/railtie"
1
Ruby
Ruby
fix https grammar
db98b05113f7252073e48520b880e5961dfa2c31
<ide><path>actionpack/lib/action_controller/metal/force_ssl.rb <ide> require "active_support/core_ext/hash/slice" <ide> <ide> module ActionController <del> # This module provides a method which will redirect the browser to use HTTPS <del> # protocol. This will ensure that user's sensitive information will be <add> # This module provides a method which will redirect the browser to use the secured HTTPS <add> # protocol. This will ensure that users' sensitive information will be <ide> # transferred safely over the internet. You _should_ always force the browser <ide> # to use HTTPS when you're transferring sensitive information such as <ide> # user authentication, account information, or credit card information. <ide> # <ide> # Note that if you are really concerned about your application security, <ide> # you might consider using +config.force_ssl+ in your config file instead. <del> # That will ensure all the data is transferred via HTTPS protocol and will <add> # That will ensure all the data is transferred via HTTPS, and will <ide> # prevent the user from getting their session hijacked when accessing the <ide> # site over unsecured HTTP protocol. <ide> module ForceSSL <ide> module ForceSSL <ide> <ide> module ClassMethods <ide> # Force the request to this particular controller or specified actions to be <del> # under HTTPS protocol. <add> # through the HTTPS protocol. <ide> # <ide> # If you need to disable this for any reason (e.g. development) then you can use <ide> # an +:if+ or +:unless+ condition.
1
PHP
PHP
fix trailing slash and add test
3d58cd91d6ec483a43a4c23af9b75ecdd4a358de
<ide><path>src/Illuminate/Routing/CompiledRouteCollection.php <ide> public function refreshActionLookups() <ide> */ <ide> public function match(Request $request) <ide> { <add> $trimmedRequest = clone $request; <add> <add> $trimmedRequest->server->set( <add> 'REQUEST_URI', rtrim($request->server->get('REQUEST_URI'), '/') <add> ); <add> <ide> $matcher = new CompiledUrlMatcher( <del> $this->compiled, (new RequestContext)->fromRequest($request) <add> $this->compiled, (new RequestContext)->fromRequest($trimmedRequest) <ide> ); <ide> <ide> $route = null; <ide> <ide> try { <del> if ($result = $matcher->matchRequest($request)) { <add> if ($result = $matcher->matchRequest($trimmedRequest)) { <ide> $route = $this->getByName($result['_route']); <ide> } <ide> } catch (ResourceNotFoundException | MethodNotAllowedException $e) { <ide><path>tests/Integration/Routing/CompiledRouteCollectionTest.php <ide> public function testRouteBindingsAreProperlySaved() <ide> $this->assertSame(['user' => 'username', 'post' => 'slug'], $route->bindingFields()); <ide> } <ide> <add> public function testMatchingSlashedRoutes() <add> { <add> $this->routeCollection->add( <add> $route = $this->newRoute('GET', 'foo/bar', ['uses' => 'FooController@index', 'as' => 'foo']) <add> ); <add> <add> $this->assertSame('foo', $this->collection()->match(Request::create('/foo/bar/'))->getName()); <add> } <add> <ide> /** <ide> * Create a new Route object. <ide> *
2
Mixed
Python
implement openapi components
8aa8be7653cf441e81cabd9be945f809cb617192
<ide><path>docs/api-guide/schemas.md <ide> class CustomSchema(AutoSchema): <ide> def get_operation_id(self, path, method): <ide> pass <ide> <add>class MyView(APIView): <add> schema = AutoSchema(component_name="Ulysses") <add>``` <add> <add>### Components <add> <add>Since DRF 3.12, Schema uses the [OpenAPI Components](openapi-components). This method defines components in the schema and [references them](openapi-reference) inside request and response objects. By default, the component's name is deduced from the Serializer's name. <add> <add>Using OpenAPI's components provides the following advantages: <add>* The schema is more readable and lightweight. <add>* If you use the schema to generate an SDK (using [openapi-generator](openapi-generator) or [swagger-codegen](swagger-codegen)). The generator can name your SDK's models. <add> <add>### Handling component's schema errors <add> <add>You may get the following error while generating the schema: <add>``` <add>"Serializer" is an invalid class name for schema generation. <add>Serializer's class name should be unique and explicit. e.g. "ItemSerializer". <add>``` <add> <add>This error occurs when the Serializer name is "Serializer". You should choose a component's name unique across your schema and different than "Serializer". <add> <add>You may also get the following warning: <add>``` <add>Schema component "ComponentName" has been overriden with a different value. <add>``` <add> <add>This warning occurs when different components have the same name in one schema. Your component name should be unique across your project. This is likely an error that may lead to an invalid schema. <add> <add>You have two ways to solve the previous issues: <add>* You can rename your serializer with a unique name and another name than "Serializer". <add>* You can set the `component_name` kwarg parameter of the AutoSchema constructor (see below). <add>* You can override the `get_component_name` method of the AutoSchema class (see below). <add> <add>#### Set a custom component's name for your view <add> <add>To override the component's name in your view, you can use the `component_name` parameter of the AutoSchema constructor: <add> <add>```python <add>from rest_framework.schemas.openapi import AutoSchema <add> <add>class MyView(APIView): <add> schema = AutoSchema(component_name="Ulysses") <add>``` <add> <add>#### Override the default implementation <add> <add>If you want to have more control and customization about how the schema's components are generated, you can override the `get_component_name` and `get_components` method from the AutoSchema class. <add> <add>```python <add>from rest_framework.schemas.openapi import AutoSchema <add> <add>class CustomSchema(AutoSchema): <add> def get_components(self, path, method): <add> # Implement your custom implementation <add> <add> def get_component_name(self, serializer): <add> # Implement your custom implementation <add> <ide> class CustomView(APIView): <ide> """APIView subclass with custom schema introspection.""" <ide> schema = CustomSchema() <ide> class CustomView(APIView): <ide> [openapi-operation]: https://github.com/OAI/OpenAPI-Specification/blob/master/versions/3.0.2.md#operationObject <ide> [openapi-tags]: https://swagger.io/specification/#tagObject <ide> [openapi-operationid]: https://github.com/OAI/OpenAPI-Specification/blob/master/versions/3.0.2.md#fixed-fields-17 <add>[openapi-components]: https://github.com/OAI/OpenAPI-Specification/blob/master/versions/3.0.2.md#componentsObject <add>[openapi-reference]: https://github.com/OAI/OpenAPI-Specification/blob/master/versions/3.0.2.md#referenceObject <add>[openapi-generator]: https://github.com/OpenAPITools/openapi-generator <add>[swagger-codegen]: https://github.com/swagger-api/swagger-codegen <ide><path>rest_framework/schemas/openapi.py <add>import re <ide> import warnings <ide> from collections import OrderedDict <ide> from decimal import Decimal <ide> def get_schema(self, request=None, public=False): <ide> Generate a OpenAPI schema. <ide> """ <ide> self._initialise_endpoints() <add> components_schemas = {} <ide> <ide> # Iterate endpoints generating per method path operations. <del> # TODO: …and reference components. <ide> paths = {} <ide> _, view_endpoints = self._get_paths_and_endpoints(None if public else request) <ide> for path, method, view in view_endpoints: <ide> if not self.has_view_permissions(path, method, view): <ide> continue <ide> <ide> operation = view.schema.get_operation(path, method) <add> components = view.schema.get_components(path, method) <add> for k in components.keys(): <add> if k not in components_schemas: <add> continue <add> if components_schemas[k] == components[k]: <add> continue <add> warnings.warn('Schema component "{}" has been overriden with a different value.'.format(k)) <add> <add> components_schemas.update(components) <add> <ide> # Normalise path for any provided mount url. <ide> if path.startswith('/'): <ide> path = path[1:] <ide> def get_schema(self, request=None, public=False): <ide> 'paths': paths, <ide> } <ide> <add> if len(components_schemas) > 0: <add> schema['components'] = { <add> 'schemas': components_schemas <add> } <add> <ide> return schema <ide> <ide> # View Inspectors <ide> <ide> <ide> class AutoSchema(ViewInspector): <ide> <del> def __init__(self, operation_id_base=None, tags=None): <add> def __init__(self, tags=None, operation_id_base=None, component_name=None): <ide> """ <ide> :param operation_id_base: user-defined name in operationId. If empty, it will be deducted from the Model/Serializer/View name. <add> :param component_name: user-defined component's name. If empty, it will be deducted from the Serializer's class name. <ide> """ <ide> if tags and not all(isinstance(tag, str) for tag in tags): <ide> raise ValueError('tags must be a list or tuple of string.') <ide> self._tags = tags <ide> self.operation_id_base = operation_id_base <add> self.component_name = component_name <ide> super().__init__() <ide> <ide> request_media_types = [] <ide> def get_operation(self, path, method): <ide> <ide> return operation <ide> <add> def get_component_name(self, serializer): <add> """ <add> Compute the component's name from the serializer. <add> Raise an exception if the serializer's class name is "Serializer" (case-insensitive). <add> """ <add> if self.component_name is not None: <add> return self.component_name <add> <add> # use the serializer's class name as the component name. <add> component_name = serializer.__class__.__name__ <add> # We remove the "serializer" string from the class name. <add> pattern = re.compile("serializer", re.IGNORECASE) <add> component_name = pattern.sub("", component_name) <add> <add> if component_name == "": <add> raise Exception( <add> '"{}" is an invalid class name for schema generation. ' <add> 'Serializer\'s class name should be unique and explicit. e.g. "ItemSerializer"' <add> .format(serializer.__class__.__name__) <add> ) <add> <add> return component_name <add> <add> def get_components(self, path, method): <add> """ <add> Return components with their properties from the serializer. <add> """ <add> serializer = self._get_serializer(path, method) <add> <add> if not isinstance(serializer, serializers.Serializer): <add> return {} <add> <add> component_name = self.get_component_name(serializer) <add> <add> content = self._map_serializer(serializer) <add> return {component_name: content} <add> <ide> def get_operation_id_base(self, path, method, action): <ide> """ <ide> Compute the base part for operation ID from the model, serializer or view name. <ide> def _map_min_max(self, field, content): <ide> <ide> def _map_serializer(self, serializer): <ide> # Assuming we have a valid serializer instance. <del> # TODO: <del> # - field is Nested or List serializer. <del> # - Handle read_only/write_only for request/response differences. <del> # - could do this with readOnly/writeOnly and then filter dict. <ide> required = [] <ide> properties = {} <ide> <ide> def _get_serializer(self, path, method): <ide> .format(view.__class__.__name__, method, path)) <ide> return None <ide> <add> def _get_reference(self, serializer): <add> return {'$ref': '#/components/schemas/{}'.format(self.get_component_name(serializer))} <add> <ide> def _get_request_body(self, path, method): <ide> if method not in ('PUT', 'PATCH', 'POST'): <ide> return {} <ide> def _get_request_body(self, path, method): <ide> serializer = self._get_serializer(path, method) <ide> <ide> if not isinstance(serializer, serializers.Serializer): <del> return {} <del> <del> content = self._map_serializer(serializer) <del> # No required fields for PATCH <del> if method == 'PATCH': <del> content.pop('required', None) <del> # No read_only fields for request. <del> for name, schema in content['properties'].copy().items(): <del> if 'readOnly' in schema: <del> del content['properties'][name] <add> item_schema = {} <add> else: <add> item_schema = self._get_reference(serializer) <ide> <ide> return { <ide> 'content': { <del> ct: {'schema': content} <add> ct: {'schema': item_schema} <ide> for ct in self.request_media_types <ide> } <ide> } <ide> def _get_responses(self, path, method): <ide> <ide> self.response_media_types = self.map_renderers(path, method) <ide> <del> item_schema = {} <ide> serializer = self._get_serializer(path, method) <ide> <del> if isinstance(serializer, serializers.Serializer): <del> item_schema = self._map_serializer(serializer) <del> # No write_only fields for response. <del> for name, schema in item_schema['properties'].copy().items(): <del> if 'writeOnly' in schema: <del> del item_schema['properties'][name] <del> if 'required' in item_schema: <del> item_schema['required'] = [f for f in item_schema['required'] if f != name] <add> if not isinstance(serializer, serializers.Serializer): <add> item_schema = {} <add> else: <add> item_schema = self._get_reference(serializer) <ide> <ide> if is_list_view(path, method, self.view): <ide> response_schema = { <ide><path>tests/schemas/test_openapi.py <ide> def test_list_field_mapping(self): <ide> assert inspector._map_field(field) == mapping <ide> <ide> def test_lazy_string_field(self): <del> class Serializer(serializers.Serializer): <add> class ItemSerializer(serializers.Serializer): <ide> text = serializers.CharField(help_text=_('lazy string')) <ide> <ide> inspector = AutoSchema() <ide> <del> data = inspector._map_serializer(Serializer()) <add> data = inspector._map_serializer(ItemSerializer()) <ide> assert isinstance(data['properties']['text']['description'], str), "description must be str" <ide> <ide> def test_boolean_default_field(self): <ide> def test_request_body(self): <ide> path = '/' <ide> method = 'POST' <ide> <add> class ItemSerializer(serializers.Serializer): <add> text = serializers.CharField() <add> read_only = serializers.CharField(read_only=True) <add> <add> class View(generics.GenericAPIView): <add> serializer_class = ItemSerializer <add> <add> view = create_view( <add> View, <add> method, <add> create_request(path) <add> ) <add> inspector = AutoSchema() <add> inspector.view = view <add> <add> request_body = inspector._get_request_body(path, method) <add> print(request_body) <add> assert request_body['content']['application/json']['schema']['$ref'] == '#/components/schemas/Item' <add> <add> components = inspector.get_components(path, method) <add> assert components['Item']['required'] == ['text'] <add> assert sorted(list(components['Item']['properties'].keys())) == ['read_only', 'text'] <add> <add> def test_invalid_serializer_class_name(self): <add> path = '/' <add> method = 'POST' <add> <ide> class Serializer(serializers.Serializer): <ide> text = serializers.CharField() <ide> read_only = serializers.CharField(read_only=True) <ide> class View(generics.GenericAPIView): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> request_body = inspector._get_request_body(path, method) <del> assert request_body['content']['application/json']['schema']['required'] == ['text'] <del> assert list(request_body['content']['application/json']['schema']['properties'].keys()) == ['text'] <add> serializer = inspector._get_serializer(path, method) <add> <add> with pytest.raises(Exception) as exc: <add> inspector.get_component_name(serializer) <add> assert "is an invalid class name for schema generation" in str(exc.value) <ide> <ide> def test_empty_required(self): <ide> path = '/' <ide> method = 'POST' <ide> <del> class Serializer(serializers.Serializer): <add> class ItemSerializer(serializers.Serializer): <ide> read_only = serializers.CharField(read_only=True) <ide> write_only = serializers.CharField(write_only=True, required=False) <ide> <ide> class View(generics.GenericAPIView): <del> serializer_class = Serializer <add> serializer_class = ItemSerializer <ide> <ide> view = create_view( <ide> View, <ide> class View(generics.GenericAPIView): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> request_body = inspector._get_request_body(path, method) <add> components = inspector.get_components(path, method) <add> component = components['Item'] <ide> # there should be no empty 'required' property, see #6834 <del> assert 'required' not in request_body['content']['application/json']['schema'] <add> assert 'required' not in component <ide> <ide> for response in inspector._get_responses(path, method).values(): <del> assert 'required' not in response['content']['application/json']['schema'] <add> assert 'required' not in component <ide> <ide> def test_empty_required_with_patch_method(self): <ide> path = '/' <ide> method = 'PATCH' <ide> <del> class Serializer(serializers.Serializer): <add> class ItemSerializer(serializers.Serializer): <ide> read_only = serializers.CharField(read_only=True) <ide> write_only = serializers.CharField(write_only=True, required=False) <ide> <ide> class View(generics.GenericAPIView): <del> serializer_class = Serializer <add> serializer_class = ItemSerializer <ide> <ide> view = create_view( <ide> View, <ide> class View(generics.GenericAPIView): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> request_body = inspector._get_request_body(path, method) <add> components = inspector.get_components(path, method) <add> component = components['Item'] <ide> # there should be no empty 'required' property, see #6834 <del> assert 'required' not in request_body['content']['application/json']['schema'] <add> assert 'required' not in component <ide> for response in inspector._get_responses(path, method).values(): <del> assert 'required' not in response['content']['application/json']['schema'] <add> assert 'required' not in component <ide> <ide> def test_response_body_generation(self): <ide> path = '/' <ide> method = 'POST' <ide> <del> class Serializer(serializers.Serializer): <add> class ItemSerializer(serializers.Serializer): <ide> text = serializers.CharField() <ide> write_only = serializers.CharField(write_only=True) <ide> <ide> class View(generics.GenericAPIView): <del> serializer_class = Serializer <add> serializer_class = ItemSerializer <ide> <ide> view = create_view( <ide> View, <ide> class View(generics.GenericAPIView): <ide> inspector.view = view <ide> <ide> responses = inspector._get_responses(path, method) <del> assert '201' in responses <del> assert responses['201']['content']['application/json']['schema']['required'] == ['text'] <del> assert list(responses['201']['content']['application/json']['schema']['properties'].keys()) == ['text'] <add> assert responses['201']['content']['application/json']['schema']['$ref'] == '#/components/schemas/Item' <add> <add> components = inspector.get_components(path, method) <add> assert sorted(components['Item']['required']) == ['text', 'write_only'] <add> assert sorted(list(components['Item']['properties'].keys())) == ['text', 'write_only'] <ide> assert 'description' in responses['201'] <ide> <ide> def test_response_body_nested_serializer(self): <ide> def test_response_body_nested_serializer(self): <ide> class NestedSerializer(serializers.Serializer): <ide> number = serializers.IntegerField() <ide> <del> class Serializer(serializers.Serializer): <add> class ItemSerializer(serializers.Serializer): <ide> text = serializers.CharField() <ide> nested = NestedSerializer() <ide> <ide> class View(generics.GenericAPIView): <del> serializer_class = Serializer <add> serializer_class = ItemSerializer <ide> <ide> view = create_view( <ide> View, <ide> class View(generics.GenericAPIView): <ide> inspector.view = view <ide> <ide> responses = inspector._get_responses(path, method) <del> schema = responses['201']['content']['application/json']['schema'] <add> assert responses['201']['content']['application/json']['schema']['$ref'] == '#/components/schemas/Item' <add> components = inspector.get_components(path, method) <add> assert components['Item'] <add> <add> schema = components['Item'] <ide> assert sorted(schema['required']) == ['nested', 'text'] <ide> assert sorted(list(schema['properties'].keys())) == ['nested', 'text'] <ide> assert schema['properties']['nested']['type'] == 'object' <ide> class View(generics.GenericAPIView): <ide> 'schema': { <ide> 'type': 'array', <ide> 'items': { <del> 'type': 'object', <del> 'properties': { <del> 'text': { <del> 'type': 'string', <del> }, <del> }, <del> 'required': ['text'], <add> '$ref': '#/components/schemas/Item' <ide> }, <ide> }, <ide> }, <ide> }, <ide> }, <ide> } <add> components = inspector.get_components(path, method) <add> assert components == { <add> 'Item': { <add> 'type': 'object', <add> 'properties': { <add> 'text': { <add> 'type': 'string', <add> }, <add> }, <add> 'required': ['text'], <add> } <add> } <ide> <ide> def test_paginated_list_response_body_generation(self): <ide> """Test that pagination properties are added for a paginated list view.""" <ide> class View(generics.GenericAPIView): <ide> 'item': { <ide> 'type': 'array', <ide> 'items': { <del> 'type': 'object', <del> 'properties': { <del> 'text': { <del> 'type': 'string', <del> }, <del> }, <del> 'required': ['text'], <add> '$ref': '#/components/schemas/Item' <ide> }, <ide> }, <ide> }, <ide> }, <ide> }, <ide> }, <ide> } <add> components = inspector.get_components(path, method) <add> assert components == { <add> 'Item': { <add> 'type': 'object', <add> 'properties': { <add> 'text': { <add> 'type': 'string', <add> }, <add> }, <add> 'required': ['text'], <add> } <add> } <ide> <ide> def test_delete_response_body_generation(self): <ide> """Test that a view's delete method generates a proper response body schema.""" <ide> class View(generics.CreateAPIView): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> request_body = inspector._get_request_body(path, method) <del> mp_media = request_body['content']['multipart/form-data'] <del> attachment = mp_media['schema']['properties']['attachment'] <del> assert attachment['format'] == 'binary' <add> components = inspector.get_components(path, method) <add> component = components['Item'] <add> properties = component['properties'] <add> assert properties['attachment']['format'] == 'binary' <ide> <ide> def test_retrieve_response_body_generation(self): <ide> """ <ide> class View(generics.GenericAPIView): <ide> 'content': { <ide> 'application/json': { <ide> 'schema': { <del> 'type': 'object', <del> 'properties': { <del> 'text': { <del> 'type': 'string', <del> }, <del> }, <del> 'required': ['text'], <add> '$ref': '#/components/schemas/Item' <ide> }, <ide> }, <ide> }, <ide> }, <ide> } <ide> <add> components = inspector.get_components(path, method) <add> assert components == { <add> 'Item': { <add> 'type': 'object', <add> 'properties': { <add> 'text': { <add> 'type': 'string', <add> }, <add> }, <add> 'required': ['text'], <add> } <add> } <add> <ide> def test_operation_id_generation(self): <ide> path = '/' <ide> method = 'GET' <ide> def test_serializer_datefield(self): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> responses = inspector._get_responses(path, method) <del> response_schema = responses['200']['content']['application/json']['schema'] <del> properties = response_schema['items']['properties'] <add> components = inspector.get_components(path, method) <add> component = components['Example'] <add> properties = component['properties'] <ide> assert properties['date']['type'] == properties['datetime']['type'] == 'string' <ide> assert properties['date']['format'] == 'date' <ide> assert properties['datetime']['format'] == 'date-time' <ide> def test_serializer_hstorefield(self): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> responses = inspector._get_responses(path, method) <del> response_schema = responses['200']['content']['application/json']['schema'] <del> properties = response_schema['items']['properties'] <add> components = inspector.get_components(path, method) <add> component = components['Example'] <add> properties = component['properties'] <ide> assert properties['hstore']['type'] == 'object' <ide> <ide> def test_serializer_callable_default(self): <ide> def test_serializer_callable_default(self): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> responses = inspector._get_responses(path, method) <del> response_schema = responses['200']['content']['application/json']['schema'] <del> properties = response_schema['items']['properties'] <add> components = inspector.get_components(path, method) <add> component = components['Example'] <add> properties = component['properties'] <ide> assert 'default' not in properties['uuid_field'] <ide> <ide> def test_serializer_validators(self): <ide> def test_serializer_validators(self): <ide> inspector = AutoSchema() <ide> inspector.view = view <ide> <del> responses = inspector._get_responses(path, method) <del> response_schema = responses['200']['content']['application/json']['schema'] <del> properties = response_schema['items']['properties'] <add> components = inspector.get_components(path, method) <add> component = components['ExampleValidated'] <add> properties = component['properties'] <ide> <ide> assert properties['integer']['type'] == 'integer' <ide> assert properties['integer']['maximum'] == 99 <ide> class ExampleStringTagsViewSet(views.ExampleGenericViewSet): <ide> <ide> def test_auto_generated_apiview_tags(self): <ide> class RestaurantAPIView(views.ExampleGenericAPIView): <add> schema = AutoSchema(operation_id_base="restaurant") <ide> pass <ide> <ide> class BranchAPIView(views.ExampleGenericAPIView): <ide> def test_schema_information_empty(self): <ide> <ide> assert schema['info']['title'] == '' <ide> assert schema['info']['version'] == '' <add> <add> def test_serializer_model(self): <add> """Construction of the top level dictionary.""" <add> patterns = [ <add> url(r'^example/?$', views.ExampleGenericAPIViewModel.as_view()), <add> ] <add> generator = SchemaGenerator(patterns=patterns) <add> <add> request = create_request('/') <add> schema = generator.get_schema(request=request) <add> <add> print(schema) <add> assert 'components' in schema <add> assert 'schemas' in schema['components'] <add> assert 'ExampleModel' in schema['components']['schemas'] <add> <add> def test_component_name(self): <add> patterns = [ <add> url(r'^example/?$', views.ExampleAutoSchemaComponentName.as_view()), <add> ] <add> <add> generator = SchemaGenerator(patterns=patterns) <add> <add> request = create_request('/') <add> schema = generator.get_schema(request=request) <add> <add> print(schema) <add> assert 'components' in schema <add> assert 'schemas' in schema['components'] <add> assert 'Ulysses' in schema['components']['schemas'] <add> <add> def test_duplicate_component_name(self): <add> patterns = [ <add> url(r'^duplicate1/?$', views.ExampleAutoSchemaDuplicate1.as_view()), <add> url(r'^duplicate2/?$', views.ExampleAutoSchemaDuplicate2.as_view()), <add> ] <add> <add> generator = SchemaGenerator(patterns=patterns) <add> request = create_request('/') <add> <add> with warnings.catch_warnings(record=True) as w: <add> warnings.simplefilter('always') <add> schema = generator.get_schema(request=request) <add> <add> assert len(w) == 1 <add> assert issubclass(w[-1].category, UserWarning) <add> assert 'has been overriden with a different value.' in str(w[-1].message) <add> <add> assert 'components' in schema <add> assert 'schemas' in schema['components'] <add> assert 'Duplicate' in schema['components']['schemas'] <ide><path>tests/schemas/views.py <ide> from rest_framework import generics, permissions, serializers <ide> from rest_framework.decorators import action <ide> from rest_framework.response import Response <add>from rest_framework.schemas.openapi import AutoSchema <ide> from rest_framework.views import APIView <ide> from rest_framework.viewsets import GenericViewSet <ide> <ide> class ExampleOperationIdDuplicate2(generics.GenericAPIView): <ide> <ide> def get(self, *args, **kwargs): <ide> pass <add> <add> <add>class ExampleGenericAPIViewModel(generics.GenericAPIView): <add> serializer_class = ExampleSerializerModel <add> <add> def get(self, *args, **kwargs): <add> from datetime import datetime <add> now = datetime.now() <add> <add> serializer = self.get_serializer(data=now.date(), datetime=now) <add> return Response(serializer.data) <add> <add> <add>class ExampleAutoSchemaComponentName(generics.GenericAPIView): <add> serializer_class = ExampleSerializerModel <add> schema = AutoSchema(component_name="Ulysses") <add> <add> def get(self, *args, **kwargs): <add> from datetime import datetime <add> now = datetime.now() <add> <add> serializer = self.get_serializer(data=now.date(), datetime=now) <add> return Response(serializer.data) <add> <add> <add>class ExampleAutoSchemaDuplicate1(generics.GenericAPIView): <add> serializer_class = ExampleValidatedSerializer <add> schema = AutoSchema(component_name="Duplicate") <add> <add> def get(self, *args, **kwargs): <add> from datetime import datetime <add> now = datetime.now() <add> <add> serializer = self.get_serializer(data=now.date(), datetime=now) <add> return Response(serializer.data) <add> <add> <add>class ExampleAutoSchemaDuplicate2(generics.GenericAPIView): <add> serializer_class = ExampleSerializerModel <add> schema = AutoSchema(component_name="Duplicate") <add> <add> def get(self, *args, **kwargs): <add> from datetime import datetime <add> now = datetime.now() <add> <add> serializer = self.get_serializer(data=now.date(), datetime=now) <add> return Response(serializer.data)
4
Go
Go
implement containers in set
43bcbf06a663c5d8cac63f2af8fefef7edc5513a
<ide><path>networkdriver/portallocator/ipset.go <ide> func (s *iPSet) Pop() string { <ide> return "" <ide> } <ide> <add>// Exists checks if the given element present in the list. <add>func (s *iPSet) Exists(elem string) bool { <add> for _, e := range s.set { <add> if e == elem { <add> return true <add> } <add> } <add> return false <add>} <add> <ide> // Remove removes an element from the list. <ide> // If the element is not found, it has no effect. <ide> func (s *iPSet) Remove(elem string) {
1
Go
Go
fix typo when --expose and --net are specified
a25988cf760b96c855b3e1442547ea9d763c7cd1
<ide><path>integration-cli/docker_cli_run_test.go <ide> func (s *DockerSuite) TestRunContainerNetModeWithExposePort(c *check.C) { <ide> } <ide> <ide> out, _, err = dockerCmdWithError("run", "--expose", "5000", "--net=container:parent", "busybox") <del> if err == nil || !strings.Contains(out, "Conflicting options: --expose and the network mode (--expose)") { <add> if err == nil || !strings.Contains(out, "Conflicting options: --expose and the network mode (--net)") { <ide> c.Fatalf("run --net=container with --expose should error out") <ide> } <ide> } <ide><path>runconfig/parse.go <ide> var ( <ide> // ErrConflictNetworkPublishPorts conflict between the pulbish options and the network mode <ide> ErrConflictNetworkPublishPorts = fmt.Errorf("Conflicting options: -p, -P, --publish-all, --publish and the network mode (--net)") <ide> // ErrConflictNetworkExposePorts conflict between the expose option and the network mode <del> ErrConflictNetworkExposePorts = fmt.Errorf("Conflicting options: --expose and the network mode (--expose)") <add> ErrConflictNetworkExposePorts = fmt.Errorf("Conflicting options: --expose and the network mode (--net)") <ide> ) <ide> <ide> // Parse parses the specified args for the specified command and generates a Config,
2
Text
Text
add 2.7.3 to the changelog.md
cb9f9c00f2614f97f5a1dc8222aff68e093f8675
<ide><path>CHANGELOG.md <ide> - [#13855](https://github.com/emberjs/ember.js/pull/13855) [FEATURE ember-runtime-enumerable-includes] Enable by default. <ide> - [#13855](https://github.com/emberjs/ember.js/pull/13855) [FEATURE ember-testing-check-waiters] Enable by default. <ide> <add>### 2.7.3 (September 6, 2016) <add> <add>- [#14219](https://github.com/emberjs/ember.js/pull/14219) [BUGFIX] Fix issue with mutating template's metadata. <add> <add>### 2.7.2 (August 30, 2016) <add> <add>- [#13895](https://github.com/emberjs/ember.js/pull/13895) [BUGFIX] Fix template meta lookup with tagless and blockless components. <add>- [#14075](https://github.com/emberjs/ember.js/pull/14075) [BUGFIX] In which we revert route-recognizer to the version used in Ember 2.6. 😢 <add> <ide> ### 2.7.1 (August 15, 2016) <ide> <ide> - [#13920](https://github.com/emberjs/ember.js/pull/13920) [BUGFIX] Add more info to the `Ember.Binding` deprecation.
1
Text
Text
add v3.25.0-beta.3 to changelog
f2be19507f0742a9471fa4fe0ce22ccf3104967d
<ide><path>CHANGELOG.md <ide> # Ember Changelog <ide> <del>### v3.25.0-beta.2 (January 19, 2020) <add>### v3.25.0-beta.3 (January 25, 2021) <add> <add>- [#19351](https://github.com/emberjs/ember.js/pull/19351) [BUGFIX] Ensure locals do not clobber components of the same name <add> <add>### v3.25.0-beta.2 (January 19, 2021) <ide> <ide> - [#19339](https://github.com/emberjs/ember.js/pull/19339) [DEPRECATION] Deprecate importing `htmlSafe` and `isHTMLSafe` from `@ember/string` per the [Deprecate Ember String RFC](https://github.com/emberjs/rfcs/blob/master/text/0236-deprecation-ember-string.md). <ide> - [#19336](https://github.com/emberjs/ember.js/pull/19336) [BUGFIX] Ensure Component Lookup Is Well Formed
1
Python
Python
add unk_token to gpt2
57e54ec070258189695ba8cacdf7d2bcaf1c72bc
<ide><path>pytorch_transformers/tokenization_gpt2.py <ide> class GPT2Tokenizer(PreTrainedTokenizer): <ide> pretrained_vocab_files_map = PRETRAINED_VOCAB_FILES_MAP <ide> max_model_input_sizes = PRETRAINED_POSITIONAL_EMBEDDINGS_SIZES <ide> <del> def __init__(self, vocab_file, merges_file, errors='replace', <add> def __init__(self, vocab_file, merges_file, errors='replace', unk_token="<|endoftext|>", <ide> bos_token="<|endoftext|>", eos_token="<|endoftext|>", **kwargs): <ide> super(GPT2Tokenizer, self).__init__(bos_token=bos_token, eos_token=eos_token, **kwargs) <ide> <ide> def _tokenize(self, text): <ide> <ide> def _convert_token_to_id(self, token): <ide> """ Converts a token (str/unicode) in an id using the vocab. """ <del> if token in self.encoder: <del> return self.encoder.get(token) <del> return self.encoder.get(self.unk_token) <add> return self.encoder.get(token, self.encoder.get(self.unk_token)) <ide> <ide> def _convert_id_to_token(self, index): <ide> """Converts an index (integer) in a token (string/unicode) using the vocab."""
1
Javascript
Javascript
add csstransitiongroup to addons
6780b47526fa5b5f849b8362230d7416407baa12
<ide><path>src/browser/ReactWithAddons.js <ide> <ide> var LinkedStateMixin = require('LinkedStateMixin'); <ide> var React = require('React'); <add>var ReactCSSTransitionGroup = require('ReactCSSTransitionGroup'); <ide> var ReactTransitionGroup = require('ReactTransitionGroup'); <ide> <ide> var cx = require('cx'); <ide> <ide> React.addons = { <ide> classSet: cx, <ide> LinkedStateMixin: LinkedStateMixin, <add> CSSTransitionGroup: ReactCSSTransitionGroup, <ide> TransitionGroup: ReactTransitionGroup <ide> }; <ide>
1
Ruby
Ruby
remove flaky test."
a9877088ea4712caec35a03b7da704c9f702c726
<ide><path>Library/Homebrew/test/cask/cmd/upgrade_spec.rb <ide> end <ide> <ide> describe "with --greedy it checks additional Casks" do <add> it 'includes the Casks with "auto_updates true" or "version latest"' do <add> local_caffeine = Cask::CaskLoader.load("local-caffeine") <add> local_caffeine_path = Cask::Config.global.appdir.join("Caffeine.app") <add> auto_updates = Cask::CaskLoader.load("auto-updates") <add> auto_updates_path = Cask::Config.global.appdir.join("MyFancyApp.app") <add> local_transmission = Cask::CaskLoader.load("local-transmission") <add> local_transmission_path = Cask::Config.global.appdir.join("Transmission.app") <add> version_latest = Cask::CaskLoader.load("version-latest") <add> version_latest_path_1 = Cask::Config.global.appdir.join("Caffeine Mini.app") <add> version_latest_path_2 = Cask::Config.global.appdir.join("Caffeine Pro.app") <add> <add> expect(local_caffeine).to be_installed <add> expect(local_caffeine_path).to be_a_directory <add> expect(local_caffeine.versions).to include("1.2.2") <add> <add> expect(auto_updates).to be_installed <add> expect(auto_updates_path).to be_a_directory <add> expect(auto_updates.versions).to include("2.57") <add> <add> expect(local_transmission).to be_installed <add> expect(local_transmission_path).to be_a_directory <add> expect(local_transmission.versions).to include("2.60") <add> <add> expect(version_latest).to be_installed <add> expect(version_latest_path_1).to be_a_directory <add> expect(version_latest_path_2).to be_a_directory <add> expect(version_latest.versions).to include("latest") <add> <add> described_class.run("--greedy") <add> <add> expect(local_caffeine).to be_installed <add> expect(local_caffeine_path).to be_a_directory <add> expect(local_caffeine.versions).to include("1.2.3") <add> <add> expect(auto_updates).to be_installed <add> expect(auto_updates_path).to be_a_directory <add> expect(auto_updates.versions).to include("2.61") <add> <add> expect(local_transmission).to be_installed <add> expect(local_transmission_path).to be_a_directory <add> expect(local_transmission.versions).to include("2.61") <add> <add> expect(version_latest).to be_installed <add> expect(version_latest_path_1).to be_a_directory <add> expect(version_latest_path_2).to be_a_directory <add> expect(version_latest.versions).to include("latest") <add> end <add> <ide> it 'does not include the Casks with "auto_updates true" when the version did not change' do <ide> cask = Cask::CaskLoader.load("auto-updates") <ide> cask_path = cask.config.appdir.join("MyFancyApp.app")
1
Mixed
Ruby
apply config to rails.application.deprecators
a23c9e38d345ef8eda0a1dc1aa07048e713f4045
<ide><path>activesupport/lib/active_support/railtie.rb <ide> class Railtie < Rails::Railtie # :nodoc: <ide> <ide> initializer "active_support.deprecation_behavior" do |app| <ide> if app.config.active_support.report_deprecations == false <del> ActiveSupport::Deprecation.silenced = true <del> ActiveSupport::Deprecation.behavior = :silence <del> ActiveSupport::Deprecation.disallowed_behavior = :silence <add> app.deprecators.silenced = true <add> app.deprecators.behavior = :silence <add> app.deprecators.disallowed_behavior = :silence <ide> else <ide> if deprecation = app.config.active_support.deprecation <del> ActiveSupport::Deprecation.behavior = deprecation <add> app.deprecators.behavior = deprecation <ide> end <ide> <ide> if disallowed_deprecation = app.config.active_support.disallowed_deprecation <del> ActiveSupport::Deprecation.disallowed_behavior = disallowed_deprecation <add> app.deprecators.disallowed_behavior = disallowed_deprecation <ide> end <ide> <ide> if disallowed_warnings = app.config.active_support.disallowed_deprecation_warnings <del> ActiveSupport::Deprecation.disallowed_warnings = disallowed_warnings <add> app.deprecators.each do |deprecator| <add> deprecator.disallowed_warnings = disallowed_warnings <add> end <ide> end <ide> end <ide> end <ide><path>guides/source/configuring.md <ide> The default value depends on the `config.load_defaults` target version: <ide> <ide> #### `config.active_support.deprecation` <ide> <del>Configures the behavior of deprecation warnings. The options are `:raise`, `:stderr`, `:log`, `:notify`, or `:silence`. The default is `:stderr`. Alternatively, you can set `ActiveSupport::Deprecation.behavior`. <add>Configures the behavior of deprecation warnings. The options are `:raise`, `:stderr`, `:log`, `:notify`, or `:silence`. The default is `:stderr`. <ide> <ide> #### `config.active_support.disallowed_deprecation` <ide> <del>Configures the behavior of disallowed deprecation warnings. The options are `:raise`, `:stderr`, `:log`, `:notify`, or `:silence`. The default is `:raise`. Alternatively, you can set `ActiveSupport::Deprecation.disallowed_behavior`. <add>Configures the behavior of disallowed deprecation warnings. The options are `:raise`, `:stderr`, `:log`, `:notify`, or `:silence`. The default is `:raise`. <ide> <ide> #### `config.active_support.disallowed_deprecation_warnings` <ide> <del>Configures deprecation warnings that the Application considers disallowed. This allows, for example, specific deprecations to be treated as hard failures. Alternatively, you can set `ActiveSupport::Deprecation.disallowed_warnings`. <add>Configures deprecation warnings that the Application considers disallowed. This allows, for example, specific deprecations to be treated as hard failures. <ide> <ide> #### `config.active_support.report_deprecations` <ide> <ide><path>railties/test/application/configuration_test.rb <ide> def new(app); self; end <ide> assert_equal true, ActiveSupport::TimeWithZone.methods(false).include?(:name) <ide> end <ide> <del> test "can entirely opt out of ActiveSupport::Deprecations" do <add> test "can entirely opt out of deprecation warnings" do <ide> add_to_config "config.active_support.report_deprecations = false" <ide> <ide> app "production" <ide> <del> assert_equal true, ActiveSupport::Deprecation.silenced <del> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], ActiveSupport::Deprecation.behavior <del> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], ActiveSupport::Deprecation.disallowed_behavior <add> assert_includes Rails.application.deprecators.each, ActiveSupport::Deprecation.instance <ide> <del> assert_equal true, Rails.application.deprecators[:rails].silenced <del> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], Rails.application.deprecators[:rails].behavior <del> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], Rails.application.deprecators[:rails].disallowed_behavior <add> Rails.application.deprecators.each do |deprecator| <add> assert_equal true, deprecator.silenced <add> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], deprecator.behavior <add> assert_equal [ActiveSupport::Deprecation::DEFAULT_BEHAVIORS[:silence]], deprecator.disallowed_behavior <add> end <ide> end <ide> <ide> test "ParamsWrapper is enabled in a new app and uses JSON as the format" do
3
Python
Python
add some more comments and missing docstrings
028b9922bfde24b51ac7116c4cbf39925127402c
<ide><path>libcloud/common/base.py <ide> class Response(object): <ide> A base Response class to derive from. <ide> """ <ide> <del> object = None <del> body = None <del> status = httplib.OK <del> headers = {} <del> error = None <del> connection = None <add> status = httplib.OK # Response status code <add> headers = {} # Response headers <add> body = None # Raw response body <add> object = None # Parsed response body <add> <add> error = None # Reason returned by the server. <add> connection = None # Parent connection class <ide> parse_zero_length_body = False <ide> <ide> def __init__(self, response, connection): <ide> def _decompress_response(self, response): <ide> headers = lowercase_keys(dict(response.getheaders())) <ide> encoding = headers.get('content-encoding', None) <ide> <add> # This attribute is set when using LoggingConnection <ide> original_data = getattr(response, '_original_data', None) <ide> <ide> if original_data is not None: <add> # LoggingConnection decompresses data before we get into this <add> # function so it can log decompressed body. <add> # If this attribute is present, this means the body has already <add> # been decompressed. <ide> return original_data <ide> <ide> body = response.read()
1
Python
Python
add test case for local loopback
14142e01eee1d541779adfad4c4a46b138b9a17a
<ide><path>libcloud/common/google.py <ide> def __init__( <ide> self.scopes = " ".join(scopes) <ide> self.redirect_uri = redirect_uri <ide> self.login_hint = login_hint <del> self._state = "Libcloud Request" <ide> <ide> super().__init__(user_id, key, **kwargs) <ide> <ide> def refresh_token(self, token_info): <ide> class GoogleInstalledAppAuthConnection(GoogleBaseAuthConnection): <ide> """Authentication connection for "Installed Application" authentication.""" <ide> <add> _state = "Libcloud Request" <add> <ide> def get_code(self): <ide> """ <ide> Give the user a URL that they can visit to authenticate. <ide><path>libcloud/test/common/test_google.py <ide> import os <ide> import sys <ide> import datetime <add>import threading <ide> import unittest <add>import urllib <ide> from unittest import mock <ide> <add>import requests <add> <ide> from libcloud.test import MockHttp, LibcloudTestCase <ide> from libcloud.utils.py3 import httplib <ide> from libcloud.common.google import ( <ide> class GoogleTestCase(LibcloudTestCase): <ide> "libcloud.common.google.GoogleOAuth2Credential._write_token_to_file" <ide> ) <ide> <del> _ia_get_code_patcher = mock.patch( <del> "libcloud.common.google.GoogleInstalledAppAuthConnection.get_code", <del> return_value=1234, <del> ) <del> <ide> @classmethod <ide> def setUpClass(cls): <ide> super().setUpClass() <ide> class GoogleInstalledAppAuthConnectionTest(GoogleTestCase): <ide> Tests for GoogleInstalledAppAuthConnection <ide> """ <ide> <add> _ia_get_code_patcher = mock.patch( <add> "libcloud.common.google.GoogleInstalledAppAuthConnection.get_code", <add> return_value=1234, <add> ) <add> <ide> def setUp(self): <ide> GoogleInstalledAppAuthConnection.conn_class = GoogleAuthMockHttp <ide> self.mock_scopes = ["https://www.googleapis.com/auth/foo"] <ide> def test_refresh_token(self): <ide> self.assertTrue("refresh_token" in new_token2) <ide> <ide> <add>class GoogleInstalledAppAuthConnectionFirstLoginTest(LibcloudTestCase): <add> def setUp(self): <add> GoogleInstalledAppAuthConnection.conn_class = GoogleAuthMockHttp <add> self.mock_scopes = ["https://www.googleapis.com/auth/foo"] <add> kwargs = {"scopes": self.mock_scopes} <add> self.conn = GoogleInstalledAppAuthConnection(*GCE_PARAMS, **kwargs) <add> <add> def test_it_receives_the_code_that_google_sends_via_local_loopback(self): <add> expected_code = "1234ABC" <add> received_code = self._do_first_sign_in(expected_code=expected_code, state=self.conn._state) <add> self.assertEqual(received_code, expected_code) <add> <add> def test_it_aborts_if_state_is_suspicious(self): <add> received_code = self._do_first_sign_in( <add> expected_code="1234ABC", state=self.conn._state + "very suspicious" <add> ) <add> self.assertEqual(received_code, None) <add> <add> def _do_first_sign_in(self, expected_code, state): <add> """ <add> :param expected_code: The code that the fake Google sign-in local GET request will have in its query. <add> :type expected_code: `str` <add> :param state: The state that the fake Google sign-in local GET request will have in its query. <add> :type state: `str` <add> :return: The code that was extracted through local loopback. <add> :rtype: `Optional[str]` <add> """ <add> received_code = None <add> <add> def _get_code(): <add> nonlocal received_code <add> received_code = self.conn.get_code() <add> <add> def _send_code(): <add> target_url = self.conn._redirect_uri_with_port <add> params = {"state": state, "code": expected_code} <add> params = urllib.parse.urlencode(params, quote_via=urllib.parse.quote) <add> requests.get(url=target_url, params=params) <add> <add> fake_sign_in_thread = threading.Thread(target=_get_code) <add> fake_google_response = threading.Thread(target=_send_code) <add> <add> fake_sign_in_thread.start() <add> fake_google_response.start() <add> fake_google_response.join() <add> fake_sign_in_thread.join() <add> <add> return received_code <add> <add> <ide> class GoogleAuthTypeTest(GoogleTestCase): <ide> def test_guess(self): <ide> self.assertEqual(GoogleAuthType.guess_type(GCE_PARAMS_IA[0]), GoogleAuthType.IA) <ide> def test_guess_gce_metadata_server_not_called_for_ia(self): <ide> <ide> <ide> class GoogleOAuth2CredentialTest(GoogleTestCase): <add> <add> _ia_get_code_patcher = mock.patch( <add> "libcloud.common.google.GoogleInstalledAppAuthConnection.get_code", <add> return_value=1234, <add> ) <add> <ide> def test_init_oauth2(self): <ide> kwargs = {"auth_type": GoogleAuthType.IA} <ide> cred = GoogleOAuth2Credential(*GCE_PARAMS, **kwargs)
2
Text
Text
use correct option in radar chart
3985d50201cafe53cbb9abad5910fae2553e83e5
<ide><path>docs/05-Radar-Chart.md <ide> pointBackgroundColor | `Color or Array<Color>` | The fill color for points <ide> pointBorderWidth | `Number or Array<Number>` | The width of the point border in pixels <ide> pointRadius | `Number or Array<Number>` | The radius of the point shape. If set to 0, nothing is rendered. <ide> pointHoverRadius | `Number or Array<Number>` | The radius of the point when hovered <del>hitRadius | `Number or Array<Number>` | The pixel size of the non-displayed point that reacts to mouse events <add>pointHitRadius | `Number or Array<Number>` | The pixel size of the non-displayed point that reacts to mouse events <ide> pointHoverBackgroundColor | `Color or Array<Color>` | Point background color when hovered <ide> pointHoverBorderColor | `Color or Array<Color>` | Point border color when hovered <ide> pointHoverBorderWidth | `Number or Array<Number>` | Border width of point when hovered
1
Python
Python
improve error catching while init plugins
285dcd5b432f76505739144ec215df5a922358a1
<ide><path>glances/stats.py <ide> import os <ide> import sys <ide> import threading <add>import traceback <ide> <ide> from glances.globals import exports_path, plugins_path, sys_path <ide> from glances.logger import logger <ide> class GlancesStats(object): <ide> <ide> """This class stores, updates and gives stats.""" <ide> <add> # Script header constant <add> header = "glances_" <add> <ide> def __init__(self, config=None, args=None): <ide> # Set the config instance <ide> self.config = config <ide> def load_modules(self, args): <ide> # Restoring system path <ide> sys.path = sys_path <ide> <add> def _load_plugin(self, plugin_script, args=None, config=None): <add> """Load the plugin (script), init it and add to the _plugin dict""" <add> # The key is the plugin name <add> # for example, the file glances_xxx.py <add> # generate self._plugins_list["xxx"] = ... <add> name = plugin_script[len(self.header):-3].lower() <add> try: <add> # Import the plugin <add> plugin = __import__(plugin_script[:-3]) <add> # Init and add the plugin to the dictionary <add> if name in ('help', 'amps', 'ports'): <add> self._plugins[name] = plugin.Plugin(args=args, config=config) <add> else: <add> self._plugins[name] = plugin.Plugin(args=args) <add> except Exception as e: <add> # If a plugin can not be log, display a critical message <add> # on the console but do not crash <add> logger.critical("Error while initializing the {} plugin (see complete traceback in the log file)".format(name)) <add> logger.error(traceback.format_exc()) <add> <ide> def load_plugins(self, args=None): <ide> """Load all plugins in the 'plugins' folder.""" <del> header = "glances_" <ide> for item in os.listdir(plugins_path): <del> if (item.startswith(header) and <add> if (item.startswith(self.header) and <ide> item.endswith(".py") and <del> item != (header + "plugin.py")): <del> # Import the plugin <del> plugin = __import__(os.path.basename(item)[:-3]) <del> # Add the plugin to the dictionary <del> # The key is the plugin name <del> # for example, the file glances_xxx.py <del> # generate self._plugins_list["xxx"] = ... <del> plugin_name = os.path.basename(item)[len(header):-3].lower() <del> if plugin_name in ('help', 'amps', 'ports'): <del> self._plugins[plugin_name] = plugin.Plugin(args=args, config=self.config) <del> else: <del> self._plugins[plugin_name] = plugin.Plugin(args=args) <add> item != (self.header + "plugin.py")): <add> # Load the plugin <add> self._load_plugin(os.path.basename(item), <add> args=args, config=self.config) <add> <ide> # Log plugins list <ide> logger.debug("Available plugins list: {}".format(self.getAllPlugins())) <ide>
1
Javascript
Javascript
add $even and $odd props to iterator
52b8211fd0154b9d6b771a83573a161f5580d92c
<ide><path>src/ng/directive/ngRepeat.js <ide> * | `$first` | {@type boolean} | true if the repeated element is first in the iterator. | <ide> * | `$middle` | {@type boolean} | true if the repeated element is between the first and last in the iterator. | <ide> * | `$last` | {@type boolean} | true if the repeated element is last in the iterator. | <add> * | `$even` | {@type boolean} | true if the iterator position `$index` is even (otherwise false). | <add> * | `$odd` | {@type boolean} | true if the iterator position `$index` is odd (otherwise false). | <ide> * <ide> * Additionally, you can also provide animations via the ngAnimate attribute to animate the **enter**, <ide> * **leave** and **move** effects. <ide> var ngRepeatDirective = ['$parse', '$animator', function($parse, $animator) { <ide> childScope.$first = (index === 0); <ide> childScope.$last = (index === (arrayLength - 1)); <ide> childScope.$middle = !(childScope.$first || childScope.$last); <add> childScope.$odd = !(childScope.$even = index%2==0); <ide> <ide> if (!block.startNode) { <ide> linker(childScope, function(clone) { <ide><path>test/ng/directive/ngRepeatSpec.js <ide> describe('ngRepeat', function() { <ide> expect(element.text()).toEqual('misko:0|shyam:1|frodo:2|'); <ide> }); <ide> <del> <ide> it('should expose iterator offset as $index when iterating over objects', function() { <ide> element = $compile( <ide> '<ul>' + <ide> describe('ngRepeat', function() { <ide> }); <ide> <ide> <add> it('should expose iterator position as $even and $odd when iterating over arrays', <add> function() { <add> element = $compile( <add> '<ul>' + <add> '<li ng-repeat="item in items">{{item}}:{{$even}}-{{$odd}}|</li>' + <add> '</ul>')(scope); <add> scope.items = ['misko', 'shyam', 'doug']; <add> scope.$digest(); <add> expect(element.text()). <add> toEqual('misko:true-false|shyam:false-true|doug:true-false|'); <add> <add> scope.items.push('frodo'); <add> scope.$digest(); <add> expect(element.text()). <add> toBe('misko:true-false|' + <add> 'shyam:false-true|' + <add> 'doug:true-false|' + <add> 'frodo:false-true|'); <add> <add> scope.items.shift(); <add> scope.items.pop(); <add> scope.$digest(); <add> expect(element.text()).toBe('shyam:true-false|doug:false-true|'); <add> }); <add> <add> <ide> it('should expose iterator position as $first, $middle and $last when iterating over objects', <ide> function() { <ide> element = $compile( <ide> describe('ngRepeat', function() { <ide> }); <ide> <ide> <add> it('should expose iterator position as $even and $odd when iterating over objects', <add> function() { <add> element = $compile( <add> '<ul>' + <add> '<li ng-repeat="(key, val) in items">{{key}}:{{val}}:{{$even}}-{{$odd}}|</li>' + <add> '</ul>')(scope); <add> scope.items = {'misko':'m', 'shyam':'s', 'doug':'d', 'frodo':'f'}; <add> scope.$digest(); <add> expect(element.text()). <add> toBe('doug:d:true-false|' + <add> 'frodo:f:false-true|' + <add> 'misko:m:true-false|' + <add> 'shyam:s:false-true|'); <add> <add> delete scope.items.frodo; <add> delete scope.items.shyam; <add> scope.$digest(); <add> expect(element.text()).toBe('doug:d:true-false|misko:m:false-true|'); <add> }); <add> <add> <ide> it('should calculate $first, $middle and $last when we filter out properties from an obj', function() { <ide> element = $compile( <ide> '<ul>' + <ide> describe('ngRepeat', function() { <ide> }); <ide> <ide> <add> it('should calculate $even and $odd when we filter out properties from an obj', function() { <add> element = $compile( <add> '<ul>' + <add> '<li ng-repeat="(key, val) in items">{{key}}:{{val}}:{{$even}}-{{$odd}}|</li>' + <add> '</ul>')(scope); <add> scope.items = {'misko':'m', 'shyam':'s', 'doug':'d', 'frodo':'f', '$toBeFilteredOut': 'xxxx'}; <add> scope.$digest(); <add> expect(element.text()). <add> toEqual('doug:d:true-false|' + <add> 'frodo:f:false-true|' + <add> 'misko:m:true-false|' + <add> 'shyam:s:false-true|'); <add> }); <add> <add> <ide> it('should ignore $ and $$ properties', function() { <ide> element = $compile('<ul><li ng-repeat="i in items">{{i}}|</li></ul>')(scope); <ide> scope.items = ['a', 'b', 'c'];
2
Mixed
Javascript
render styled-jsx in _document example
e1babdfe9d599584a9e8b79681b4ff48e077bb0d
<ide><path>examples/with-cxs/pages/_document.js <ide> import cxs from 'cxs' <ide> export default class MyDocument extends Document { <ide> static async getInitialProps ({ renderPage }) { <ide> const page = renderPage() <del> let style = cxs.getCss() <add> const style = cxs.getCss() <ide> return { ...page, style } <ide> } <ide> <ide><path>examples/with-styled-components/pages/_document.js <ide> import styleSheet from 'styled-components/lib/models/StyleSheet' <ide> export default class MyDocument extends Document { <ide> static async getInitialProps ({ renderPage }) { <ide> const page = renderPage() <del> const style = styleSheet.rules().map(rule => rule.cssText).join('\n') <del> return { ...page, style } <add> const styles = styleSheet.rules().map(rule => rule.cssText).join('\n') <add> return { ...page, styles } <ide> } <ide> <ide> render () { <ide> return ( <ide> <html> <ide> <Head> <ide> <title>My page</title> <del> <style dangerouslySetInnerHTML={{ __html: this.props.style }} /> <ide> </Head> <ide> <body> <ide> <Main /> <ide><path>readme.md <ide> Pages in `Next.js` skip the definition of the surrounding document's markup. For <ide> ```jsx <ide> // ./pages/_document.js <ide> import Document, { Head, Main, NextScript } from 'next/document' <add>import flush from 'styled-jsx/server' <ide> <ide> export default class MyDocument extends Document { <del> static async getInitialProps (ctx) { <del> const props = await Document.getInitialProps(ctx) <del> return { ...props, customValue: 'hi there!' } <add> static getInitialProps ({ renderPage }) { <add> const {html, head} = renderPage() <add> const styles = flush() <add> return { html, head, styles } <ide> } <ide> <ide> render () {
3
Text
Text
update timeline for flax event evaluation
c523b241c2e50c3ed035bb76b938b6a944fed7e5
<ide><path>examples/research_projects/jax-projects/README.md <ide> More to come! <ide> <ide> ### Process <ide> <del>* **July 16-19** A group of event organizers (Suraj, Patrick, Suzana, and Omar) will do an initial filter to find the top 15 projects. <del>* **July 19-22** The jury will go over the 15 projects and pick the top three projects out of them. <del>* **July 23.** Winner projects are announced <add>* **July 16, 23h59 CEST**: TPU VM access closes. <add>* **July 18, 23h59 CEST**: Project completition ends (including demo). <add>* **July 19** A group of event organizers (Suraj, Patrick, Suzana, and Omar) will do an initial filter to find the top 15 projects. <add>* **July 20-25** The jury will go over the 15 projects and pick the top three projects out of them. <add>* **July 26.** Winner projects are announced <ide> <ide> <ide> ## General tips and tricks
1
Python
Python
allow c in dtype for charray (#917)
47caf646269a9feb966d5aab547f74dff501324d
<ide><path>numpy/core/defchararray.py <ide> def __new__(subtype, shape, itemsize=1, unicode=False, buffer=None, <ide> <ide> def __array_finalize__(self, obj): <ide> # The b is a special case because it is used for reconstructing. <del> if not _globalvar and self.dtype.char not in 'SUb': <add> if not _globalvar and self.dtype.char not in 'SUbc': <ide> raise ValueError, "Can only create a chararray from string data." <ide> <ide> def __getitem__(self, obj): <ide><path>numpy/core/tests/test_defchararray.py <ide> def test1(self): <ide> assert all(self.A == self.B) <ide> <ide> <add>class TestChar(TestCase): <add> def setUp(self): <add> self.A = np.array('abc1', dtype='c').view(np.chararray) <add> <add> def test_it(self): <add> assert self.A.shape == (4,) <add> assert self.A.upper()[:2].tostring() == 'AB' <add> <add> <ide> class TestOperations(TestCase): <ide> def setUp(self): <ide> self.A = np.array([['abc', '123'],
2
Text
Text
add contributors from #688
3dded56ae18951213b107da8abfb8cf36af4193c
<ide><path>CONTRIBUTORS.md <ide> This is a list of everyone who has made significant contributions to spaCy, in a <ide> * Andreas Grivas, [@andreasgrv](https://github.com/andreasgrv) <ide> * Chris DuBois, [@chrisdubois](https://github.com/chrisdubois) <ide> * Christoph Schwienheer, [@chssch](https://github.com/chssch) <add>* Dafne van Kuppevelt, [@dafnevk](https://github.com/dafnevk) <ide> * Dmytro Sadovnychyi, [@sadovnychyi](https://github.com/sadovnychyi) <ide> * Henning Peters, [@henningpeters](https://github.com/henningpeters) <ide> * Ines Montani, [@ines](https://github.com/ines) <ide> * J Nicolas Schrading, [@NSchrading](https://github.com/NSchrading) <add>* Janneke van der Zwaan, [@jvdzwaan](https://github.com/jvdzwaan) <ide> * Jordan Suchow, [@suchow](https://github.com/suchow) <ide> * Kendrick Tan, [@kendricktan](https://github.com/kendricktan) <ide> * Kyle P. Johnson, [@kylepjohnson](https://github.com/kylepjohnson) <ide> This is a list of everyone who has made significant contributions to spaCy, in a <ide> * Maxim Samsonov, [@maxirmx](https://github.com/maxirmx) <ide> * Oleg Zd, [@olegzd](https://github.com/olegzd) <ide> * Pokey Rule, [@pokey](https://github.com/pokey) <add>* Rob van Nieuwpoort, [@RvanNieuwpoort](https://github.com/RvanNieuwpoort) <ide> * Sam Bozek, [@sambozek](https://github.com/sambozek) <ide> * Sasho Savkov [@savkov](https://github.com/savkov) <ide> * Tiago Rodrigues, [@TiagoMRodrigues](https://github.com/TiagoMRodrigues) <ide> * Vsevolod Solovyov, [@vsolovyov](https://github.com/vsolovyov) <ide> * Wah Loon Keng, [@kengz](https://github.com/kengz) <add>* Willem van Hage, [@wrvhage](https://github.com/wrvhage) <ide> * Wolfgang Seeker, [@wbwseeker](https://github.com/wbwseeker) <ide> * Yanhao Yang, [@YanhaoYang](https://github.com/YanhaoYang) <ide> * Yubing Dong, [@tomtung](https://github.com/tomtung)
1
PHP
PHP
fix incorrect locale set for records
88cc7abb016551409fe7efbec2699e2bff420ee5
<ide><path>src/ORM/Behavior/Translate/ShadowTableStrategy.php <ide> protected function rowMapper($results, $locale) <ide> { <ide> $allowEmpty = $this->_config['allowEmptyTranslations']; <ide> <del> return $results->map(function ($row) use ($allowEmpty) { <add> return $results->map(function ($row) use ($allowEmpty, $locale) { <ide> /** @var \Cake\Datasource\EntityInterface|array|null $row */ <ide> if ($row === null) { <ide> return $row; <ide> protected function rowMapper($results, $locale) <ide> $hydrated = !is_array($row); <ide> <ide> if (empty($row['translation'])) { <del> $row['_locale'] = $this->getLocale(); <add> $row['_locale'] = $locale; <ide> unset($row['translation']); <ide> <ide> if ($hydrated) { <ide><path>tests/TestCase/ORM/Behavior/TranslateBehaviorTest.php <ide> public function testFindSingleLocale() <ide> ]; <ide> $this->assertSame($expected, $results); <ide> <add> $entity = $table->newEntity(['author_id' => 2, 'title' => 'Title 4', 'body' => 'Body 4']); <add> $table->save($entity); <add> <ide> $results = $table->find('all', ['locale' => 'cze']) <del> ->combine('title', 'body', 'id')->toArray(); <add> ->select(['id', 'title', 'body']) <add> ->disableHydration() <add> ->orderAsc('Articles.id') <add> ->toArray(); <ide> $expected = [ <del> 1 => ['Titulek #1' => 'Obsah #1'], <del> 2 => ['Titulek #2' => 'Obsah #2'], <del> 3 => ['Titulek #3' => 'Obsah #3'], <add> ['id' => 1, 'title' => 'Titulek #1', 'body' => 'Obsah #1', '_locale' => 'cze'], <add> ['id' => 2, 'title' => 'Titulek #2', 'body' => 'Obsah #2', '_locale' => 'cze'], <add> ['id' => 3, 'title' => 'Titulek #3', 'body' => 'Obsah #3', '_locale' => 'cze'], <add> ['id' => 4, 'title' => null, 'body' => null, '_locale' => 'cze'], <ide> ]; <ide> $this->assertSame($expected, $results); <ide> }
2
Java
Java
fix auto-startup for @jmslistener
996c1cc0a6112e542ca184c8fe6ffb680b630a40
<ide><path>spring-jms/src/main/java/org/springframework/jms/config/JmsListenerEndpointRegistry.java <ide> /* <del> * Copyright 2002-2015 the original author or authors. <add> * Copyright 2002-2016 the original author or authors. <ide> * <ide> * Licensed under the Apache License, Version 2.0 (the "License"); <ide> * you may not use this file except in compliance with the License. <ide> import org.apache.commons.logging.Log; <ide> import org.apache.commons.logging.LogFactory; <ide> <add>import org.springframework.beans.BeansException; <ide> import org.springframework.beans.factory.BeanInitializationException; <ide> import org.springframework.beans.factory.DisposableBean; <ide> import org.springframework.beans.factory.InitializingBean; <add>import org.springframework.context.ApplicationContext; <add>import org.springframework.context.ApplicationContextAware; <add>import org.springframework.context.ApplicationListener; <ide> import org.springframework.context.SmartLifecycle; <add>import org.springframework.context.event.ContextRefreshedEvent; <ide> import org.springframework.jms.listener.MessageListenerContainer; <ide> import org.springframework.util.Assert; <ide> <ide> * @see MessageListenerContainer <ide> * @see JmsListenerContainerFactory <ide> */ <del>public class JmsListenerEndpointRegistry implements DisposableBean, SmartLifecycle { <add>public class JmsListenerEndpointRegistry implements DisposableBean, SmartLifecycle, <add> ApplicationContextAware, ApplicationListener<ContextRefreshedEvent> { <ide> <ide> protected final Log logger = LogFactory.getLog(getClass()); <ide> <ide> public class JmsListenerEndpointRegistry implements DisposableBean, SmartLifecyc <ide> <ide> private int phase = Integer.MAX_VALUE; <ide> <add> private ApplicationContext applicationContext; <add> <add> private boolean contextRefreshed; <add> <add> @Override <add> public void setApplicationContext(ApplicationContext applicationContext) throws BeansException { <add> this.applicationContext = applicationContext; <add> } <add> <ide> <ide> /** <ide> * Return the {@link MessageListenerContainer} with the specified id or <ide> public void destroy() { <ide> } <ide> <ide> <add> @Override <add> public void onApplicationEvent(ContextRefreshedEvent event) { <add> if (event.getApplicationContext().equals(this.applicationContext)) { <add> this.contextRefreshed = true; <add> } <add> } <add> <ide> // Delegating implementation of SmartLifecycle <ide> <ide> @Override <ide> public boolean isRunning() { <ide> <ide> /** <ide> * Start the specified {@link MessageListenerContainer} if it should be started <del> * on startup. <add> * on startup or when start is called explicitly after startup. <ide> * @see MessageListenerContainer#isAutoStartup() <ide> */ <del> private static void startIfNecessary(MessageListenerContainer listenerContainer) { <del> if (listenerContainer.isAutoStartup()) { <add> private void startIfNecessary(MessageListenerContainer listenerContainer) { <add> if (this.contextRefreshed || listenerContainer.isAutoStartup()) { <ide> listenerContainer.start(); <ide> } <ide> } <ide><path>spring-jms/src/test/java/org/springframework/jms/annotation/EnableJmsTests.java <ide> public void defaultContainerFactory() { <ide> testDefaultContainerFactoryConfiguration(context); <ide> } <ide> <add> @Test <add> public void containerAreStartedByDefault() { <add> ConfigurableApplicationContext context = new AnnotationConfigApplicationContext( <add> EnableJmsDefaultContainerFactoryConfig.class, DefaultBean.class); <add> JmsListenerContainerTestFactory factory = <add> context.getBean(JmsListenerContainerTestFactory.class); <add> MessageListenerTestContainer container = factory.getListenerContainers().get(0); <add> assertTrue(container.isAutoStartup()); <add> assertTrue(container.isStarted()); <add> } <add> <add> @Test <add> public void containerCanBeStarterViaTheRegistry() { <add> ConfigurableApplicationContext context = new AnnotationConfigApplicationContext( <add> EnableJmsAutoStartupFalseConfig.class, DefaultBean.class); <add> JmsListenerContainerTestFactory factory = <add> context.getBean(JmsListenerContainerTestFactory.class); <add> MessageListenerTestContainer container = factory.getListenerContainers().get(0); <add> assertFalse(container.isAutoStartup()); <add> assertFalse(container.isStarted()); <add> JmsListenerEndpointRegistry registry = context.getBean(JmsListenerEndpointRegistry.class); <add> registry.start(); <add> assertTrue(container.isStarted()); <add> } <add> <ide> @Override <ide> @Test <ide> public void jmsHandlerMethodFactoryConfiguration() throws JMSException { <ide> public JmsListenerContainerTestFactory defaultFactory() { <ide> } <ide> } <ide> <add> @Configuration <add> @EnableJms <add> static class EnableJmsAutoStartupFalseConfig implements JmsListenerConfigurer { <add> <add> @Override <add> public void configureJmsListeners(JmsListenerEndpointRegistrar registrar) { <add> registrar.setContainerFactory(simpleFactory()); <add> } <add> <add> @Bean <add> public JmsListenerContainerTestFactory simpleFactory() { <add> JmsListenerContainerTestFactory factory = new JmsListenerContainerTestFactory(); <add> factory.setAutoStartup(false); <add> return factory; <add> } <add> } <add> <ide> <ide> @Component <ide> @Lazy <ide><path>spring-jms/src/test/java/org/springframework/jms/config/JmsListenerContainerTestFactory.java <ide> /* <del> * Copyright 2002-2015 the original author or authors. <add> * Copyright 2002-2016 the original author or authors. <ide> * <ide> * Licensed under the Apache License, Version 2.0 (the "License"); <ide> * you may not use this file except in compliance with the License. <ide> */ <ide> public class JmsListenerContainerTestFactory implements JmsListenerContainerFactory<MessageListenerTestContainer> { <ide> <add> private boolean autoStartup = true; <add> <ide> private final Map<String, MessageListenerTestContainer> listenerContainers = <ide> new LinkedHashMap<>(); <ide> <add> public void setAutoStartup(boolean autoStartup) { <add> this.autoStartup = autoStartup; <add> } <add> <ide> public List<MessageListenerTestContainer> getListenerContainers() { <ide> return new ArrayList<>(this.listenerContainers.values()); <ide> } <ide> public MessageListenerTestContainer getListenerContainer(String id) { <ide> @Override <ide> public MessageListenerTestContainer createListenerContainer(JmsListenerEndpoint endpoint) { <ide> MessageListenerTestContainer container = new MessageListenerTestContainer(endpoint); <add> container.setAutoStartup(this.autoStartup); <ide> this.listenerContainers.put(endpoint.getId(), container); <ide> return container; <ide> } <ide><path>spring-jms/src/test/java/org/springframework/jms/config/MessageListenerTestContainer.java <ide> /* <del> * Copyright 2002-2015 the original author or authors. <add> * Copyright 2002-2016 the original author or authors. <ide> * <ide> * Licensed under the Apache License, Version 2.0 (the "License"); <ide> * you may not use this file except in compliance with the License. <ide> <ide> private final JmsListenerEndpoint endpoint; <ide> <add> private boolean autoStartup = true; <add> <ide> private boolean startInvoked; <ide> <ide> private boolean initializationInvoked; <ide> this.endpoint = endpoint; <ide> } <ide> <add> public void setAutoStartup(boolean autoStartup) { <add> this.autoStartup = autoStartup; <add> } <add> <ide> public JmsListenerEndpoint getEndpoint() { <ide> return endpoint; <ide> } <ide> public int getPhase() { <ide> <ide> @Override <ide> public boolean isAutoStartup() { <del> return true; <add> return this.autoStartup; <ide> } <ide> <ide> @Override
4
Java
Java
provide default parameternamediscoverer for aacbf
4fc386a4f5118605a8f82154374fb451437fff57
<ide><path>org.springframework.beans/src/main/java/org/springframework/beans/factory/support/AbstractAutowireCapableBeanFactory.java <ide> import org.springframework.beans.factory.config.InstantiationAwareBeanPostProcessor; <ide> import org.springframework.beans.factory.config.SmartInstantiationAwareBeanPostProcessor; <ide> import org.springframework.beans.factory.config.TypedStringValue; <add>import org.springframework.core.LocalVariableTableParameterNameDiscoverer; <ide> import org.springframework.core.MethodParameter; <ide> import org.springframework.core.ParameterNameDiscoverer; <ide> import org.springframework.core.PriorityOrdered; <ide> public abstract class AbstractAutowireCapableBeanFactory extends AbstractBeanFac <ide> private InstantiationStrategy instantiationStrategy = new CglibSubclassingInstantiationStrategy(); <ide> <ide> /** Resolver strategy for method parameter names */ <del> private ParameterNameDiscoverer parameterNameDiscoverer; <add> private ParameterNameDiscoverer parameterNameDiscoverer = new LocalVariableTableParameterNameDiscoverer(); <ide> <ide> /** Whether to automatically try to resolve circular references between beans */ <ide> private boolean allowCircularReferences = true; <ide> protected InstantiationStrategy getInstantiationStrategy() { <ide> /** <ide> * Set the ParameterNameDiscoverer to use for resolving method parameter <ide> * names if needed (e.g. for constructor names). <del> * <p>Default is none. A typical candidate is <del> * {@link org.springframework.core.LocalVariableTableParameterNameDiscoverer}, <del> * which implies an ASM dependency and hence isn't set as the default. <add> * <p>The default is {@link LocalVariableTableParameterNameDiscoverer}. <ide> */ <ide> public void setParameterNameDiscoverer(ParameterNameDiscoverer parameterNameDiscoverer) { <ide> this.parameterNameDiscoverer = parameterNameDiscoverer; <ide><path>org.springframework.beans/src/test/java/org/springframework/beans/factory/DefaultListableBeanFactoryTests.java <ide> public void testAutowireBeanByTypeWithTwoMatches() { <ide> @Test <ide> public void testAutowireBeanByTypeWithTwoMatchesAndParameterNameDiscovery() { <ide> DefaultListableBeanFactory lbf = new DefaultListableBeanFactory(); <del> lbf.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <ide> RootBeanDefinition bd = new RootBeanDefinition(TestBean.class); <ide> RootBeanDefinition bd2 = new RootBeanDefinition(TestBean.class); <ide> lbf.registerBeanDefinition("test", bd); <ide><path>org.springframework.beans/src/test/java/org/springframework/beans/factory/xml/FactoryMethodTests.java <ide> public void testFactoryMethodsWithNullInstance() { <ide> @Test <ide> public void testFactoryMethodsWithNullValue() { <ide> DefaultListableBeanFactory xbf = new DefaultListableBeanFactory(); <del> xbf.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <ide> XmlBeanDefinitionReader reader = new XmlBeanDefinitionReader(xbf); <ide> reader.loadBeanDefinitions(new ClassPathResource("factory-methods.xml", getClass())); <ide> <ide><path>org.springframework.beans/src/test/java/org/springframework/beans/factory/xml/SimpleConstructorNamespaceHandlerTests.java <ide> public void constructorWithNameEndingInRef() throws Exception { <ide> <ide> private XmlBeanFactory createFactory(String resourceName) { <ide> XmlBeanFactory fact = new XmlBeanFactory(new ClassPathResource(resourceName, getClass())); <del> fact.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <add> //fact.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <ide> return fact; <ide> } <ide> } <ide>\ No newline at end of file <ide><path>org.springframework.context/src/main/java/org/springframework/context/support/AbstractRefreshableApplicationContext.java <ide> protected void customizeBeanFactory(DefaultListableBeanFactory beanFactory) { <ide> if (this.allowCircularReferences != null) { <ide> beanFactory.setAllowCircularReferences(this.allowCircularReferences); <ide> } <del> beanFactory.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <ide> beanFactory.setAutowireCandidateResolver(new QualifierAnnotationAutowireCandidateResolver()); <ide> } <ide> <ide><path>org.springframework.context/src/main/java/org/springframework/context/support/GenericApplicationContext.java <ide> public class GenericApplicationContext extends AbstractApplicationContext implem <ide> */ <ide> public GenericApplicationContext() { <ide> this.beanFactory = new DefaultListableBeanFactory(); <del> this.beanFactory.setParameterNameDiscoverer(new LocalVariableTableParameterNameDiscoverer()); <ide> this.beanFactory.setAutowireCandidateResolver(new QualifierAnnotationAutowireCandidateResolver()); <ide> } <ide>
6
Python
Python
fix progress bar display
f143fac5244b8302f729bf35f73947bff3e376c2
<ide><path>keras/utils/generic_utils.py <ide> def update(self, current, values=[]): <ide> now = time.time() <ide> if self.verbose == 1: <ide> prev_total_width = self.total_width <add> sys.stdout.write("\b" * (self.total_width+1)) <ide> sys.stdout.write("\r") <ide> <ide> bar = '%d/%d [' % (current, self.target) <ide> def update(self, current, values=[]): <ide> bar += ']' <ide> sys.stdout.write(bar) <ide> self.total_width = len(bar) <del> <add> <ide> if current: <ide> time_per_unit = (now - self.start) / current <ide> else:
1
Javascript
Javascript
fix race conditions in test-dgram-multicast.js
60b93cca6da77222ca9082e54ba8acad547d9d94
<ide><path>test/simple/test-dgram-multicast.js <ide> var dgram = require("dgram"), <ide> sys = require('sys'), <ide> assert = require('assert'), <ide> Buffer = require("buffer").Buffer; <del>var timeoutTimer; <ide> var LOCAL_BROADCAST_HOST = '224.0.0.1'; <ide> var sendMessages = [ <ide> new Buffer("First message to send"), <ide> new Buffer("Second message to send"), <ide> new Buffer("Third message to send"), <ide> new Buffer("Fourth message to send") <ide> ]; <add> <ide> var listenSockets = []; <add> <ide> var sendSocket = dgram.createSocket('udp4') <del> .on('close', function () { console.log('sendSocket closed'); }) <del> .on('error', function (err) { throw err; }); <add> <add>sendSocket.on('close', function () { <add> console.error('sendSocket closed'); <add>}) <add> <ide> sendSocket.setBroadcast(true); <add> <ide> var i = 0; <del>sendSocket.sendNext = function (){ <del> sendSocket.started = true; <add> <add>sendSocket.sendNext = function () { <ide> var buf = sendMessages[i++]; <add> <ide> if (!buf) { <ide> try { sendSocket.close(); }catch(e){} <del> listenSockets.forEach(function (sock) { sock.close(); }); <del> clearTimeout(timeoutTimer); <ide> return; <ide> } <del> sendSocket.send(buf, 0, buf.length, common.PORT, LOCAL_BROADCAST_HOST, <del> function (err) { <add> <add> sendSocket.send(buf, 0, buf.length, common.PORT, LOCAL_BROADCAST_HOST, function (err) { <ide> if (err) throw err; <del> console.log('sent %s to %s', sys.inspect(buf.toString()), <add> console.error('sent %s to %s', sys.inspect(buf.toString()), <ide> LOCAL_BROADCAST_HOST+common.PORT); <ide> process.nextTick(sendSocket.sendNext); <ide> }); <del>} <add>}; <add> <add>listener_count = 0; <ide> <ide> function mkListener() { <ide> var receivedMessages = []; <ide> var listenSocket = dgram.createSocket('udp4') <del> .on('message', function(buf, rinfo) { <del> console.log('received %s from %j', sys.inspect(buf.toString()), rinfo); <del> receivedMessages.push(buf); <del> }) <del> .on('close', function () { <del> console.log('listenSocket closed -- checking received messages'); <del> var count = 0; <del> receivedMessages.forEach(function(buf){ <del> for (var i=0; i<sendMessages.length; ++i) { <del> if (buf.toString() === sendMessages[i].toString()) { <del> count++; <del> break; <del> } <add> <add> listenSocket.on('message', function(buf, rinfo) { <add> console.error('received %s from %j', sys.inspect(buf.toString()), rinfo); <add> receivedMessages.push(buf); <add> <add> if (receivedMessages.length == sendMessages.length) { <add> listenSocket.close(); <add> } <add> }) <add> <add> listenSocket.on('close', function () { <add> console.error('listenSocket closed -- checking received messages'); <add> var count = 0; <add> receivedMessages.forEach(function(buf){ <add> for (var i=0; i<sendMessages.length; ++i) { <add> if (buf.toString() === sendMessages[i].toString()) { <add> count++; <add> break; <ide> } <del> }); <del> assert.strictEqual(count, sendMessages.length); <del> }) <del> .on('error', function (err) { throw err; }) <del> .on('listening', function() { <del> if (!sendSocket.started) { <del> sendSocket.started = true; <del> process.nextTick(function(){ sendSocket.sendNext(); }); <ide> } <del> }) <add> }); <add> console.error("count %d", count); <add> //assert.strictEqual(count, sendMessages.length); <add> }) <add> <add> listenSocket.on('listening', function() { <add> listenSockets.push(listenSocket); <add> if (listenSockets.length == 3) { <add> sendSocket.sendNext(); <add> } <add> }) <add> <ide> listenSocket.bind(common.PORT); <del> listenSockets.push(listenSocket); <ide> } <ide> <ide> mkListener(); <ide> mkListener(); <ide> mkListener(); <ide> <del>timeoutTimer = setTimeout(function () { throw new Error("Timeout"); }, 500);
1
PHP
PHP
allow incrementing offsets in a collection
fc1b82670a2d6878a1e1ae8667e25d3dc0c86c15
<ide><path>src/Illuminate/Support/Collection.php <ide> public function offsetGet($key) <ide> */ <ide> public function offsetSet($key, $value) <ide> { <del> $this->items[$key] = $value; <add> if(is_null($key)) <add> { <add> $this->items[] = $value; <add> } <add> else <add> { <add> $this->items[$key] = $value; <add> } <ide> } <ide> <ide> /** <ide><path>tests/Support/SupportCollectionTest.php <ide> public function testOffsetAccess() <ide> $this->assertTrue(isset($c['name'])); <ide> unset($c['name']); <ide> $this->assertFalse(isset($c['name'])); <add> $c[] = 'jason'; <add> $this->assertEquals('jason', $c[0]); <ide> } <ide> <ide>
2
Go
Go
pass taroptions via cli arg
3ac6394b8082d4700483d52fbfe54914be537d9e
<ide><path>builder/internals.go <ide> func (b *Builder) readContext(context io.Reader) error { <ide> return err <ide> } <ide> <del> os.MkdirAll(tmpdirPath, 0700) <ide> if err := chrootarchive.Untar(b.context, tmpdirPath, nil); err != nil { <ide> return err <ide> } <ide><path>graph/load.go <ide> import ( <ide> "github.com/docker/docker/engine" <ide> "github.com/docker/docker/image" <ide> "github.com/docker/docker/pkg/archive" <add> "github.com/docker/docker/pkg/chrootarchive" <ide> "github.com/docker/docker/pkg/log" <ide> ) <ide> <ide> func (s *TagStore) CmdLoad(job *engine.Job) engine.Status { <ide> excludes[i] = k <ide> i++ <ide> } <del> if err := archive.Untar(repoFile, repoDir, &archive.TarOptions{Excludes: excludes}); err != nil { <add> if err := chrootarchive.Untar(repoFile, repoDir, &archive.TarOptions{Excludes: excludes}); err != nil { <ide> return job.Error(err) <ide> } <ide> <ide><path>pkg/chrootarchive/archive.go <ide> package chrootarchive <ide> <ide> import ( <add> "bytes" <add> "encoding/json" <ide> "flag" <ide> "fmt" <ide> "io" <ide> "os" <ide> "runtime" <add> "strings" <ide> "syscall" <ide> <ide> "github.com/docker/docker/pkg/archive" <ide> func untar() { <ide> if err := syscall.Chdir("/"); err != nil { <ide> fatal(err) <ide> } <del> if err := archive.Untar(os.Stdin, "/", nil); err != nil { <add> options := new(archive.TarOptions) <add> dec := json.NewDecoder(strings.NewReader(flag.Arg(1))) <add> if err := dec.Decode(options); err != nil { <add> fatal(err) <add> } <add> if err := archive.Untar(os.Stdin, "/", options); err != nil { <ide> fatal(err) <ide> } <ide> os.Exit(0) <ide> var ( <ide> ) <ide> <ide> func Untar(archive io.Reader, dest string, options *archive.TarOptions) error { <add> var buf bytes.Buffer <add> enc := json.NewEncoder(&buf) <add> if err := enc.Encode(options); err != nil { <add> return fmt.Errorf("Untar json encode: %v", err) <add> } <ide> if _, err := os.Stat(dest); os.IsNotExist(err) { <ide> if err := os.MkdirAll(dest, 0777); err != nil { <ide> return err <ide> } <ide> } <del> cmd := reexec.Command("docker-untar", dest) <add> <add> cmd := reexec.Command("docker-untar", dest, buf.String()) <ide> cmd.Stdin = archive <ide> out, err := cmd.CombinedOutput() <ide> if err != nil { <ide><path>pkg/chrootarchive/archive_test.go <add>package chrootarchive <add> <add>import ( <add> "io/ioutil" <add> "os" <add> "path/filepath" <add> "testing" <add> <add> "github.com/docker/docker/pkg/archive" <add>) <add> <add>func TestChrootTarUntar(t *testing.T) { <add> tmpdir, err := ioutil.TempDir("", "docker-TestChrootTarUntar") <add> if err != nil { <add> t.Fatal(err) <add> } <add> defer os.RemoveAll(tmpdir) <add> src := filepath.Join(tmpdir, "src") <add> if err := os.MkdirAll(src, 0700); err != nil { <add> t.Fatal(err) <add> } <add> if err := ioutil.WriteFile(filepath.Join(src, "toto"), []byte("hello toto"), 0644); err != nil { <add> t.Fatal(err) <add> } <add> if err := ioutil.WriteFile(filepath.Join(src, "lolo"), []byte("hello lolo"), 0644); err != nil { <add> t.Fatal(err) <add> } <add> stream, err := archive.Tar(src, archive.Uncompressed) <add> if err != nil { <add> t.Fatal(err) <add> } <add> dest := filepath.Join(tmpdir, "src") <add> if err := os.MkdirAll(dest, 0700); err != nil { <add> t.Fatal(err) <add> } <add> if err := Untar(stream, dest, &archive.TarOptions{Excludes: []string{"lolo"}}); err != nil { <add> t.Fatal(err) <add> } <add>} <ide><path>pkg/chrootarchive/init.go <ide> import ( <ide> func init() { <ide> reexec.Register("docker-untar", untar) <ide> reexec.Register("docker-applyLayer", applyLayer) <add> reexec.Init() <ide> } <ide> <ide> func fatal(err error) {
5
Javascript
Javascript
allow port 80 in http2.connect
c30f107103e1f7e86657ddfc074eb502ece70b5f
<ide><path>lib/internal/http2/core.js <ide> function connect(authority, options, listener) { <ide> debug(`connecting to ${authority}`); <ide> <ide> const protocol = authority.protocol || options.protocol || 'https:'; <del> const port = '' + (authority.port !== '' ? authority.port : 443); <add> const port = '' + (authority.port !== '' ? <add> authority.port : (authority.protocol === 'http:' ? 80 : 443)); <ide> const host = authority.hostname || authority.host || 'localhost'; <ide> <ide> let socket; <ide><path>test/parallel/test-http2-client-port-80.js <add>'use strict'; <add> <add>const common = require('../common'); <add>if (!common.hasCrypto) <add> common.skip('missing crypto'); <add>const assert = require('assert'); <add>const http2 = require('http2'); <add>const net = require('net'); <add> <add>// Verifies that port 80 gets set as expected <add> <add>const connect = net.connect; <add>net.connect = common.mustCall((...args) => { <add> assert.strictEqual(args[0], '80'); <add> return connect(...args); <add>}); <add> <add>const client = http2.connect('http://localhost:80'); <add>client.destroy();
2
PHP
PHP
add additional tests for various iterators
dcff02cc64fca734e7df2779999ec1a800e55f85
<ide><path>src/View/Form/EntityContext.php <ide> use Cake\ORM\TableRegistry; <ide> use Cake\Utility\Inflector; <ide> use Cake\Validation\Validator; <add>use IteratorAggregate; <add>use IteratorIterator; <ide> use Traversable; <ide> <ide> /** <ide> public function __construct(Request $request, array $context) { <ide> /** <ide> * Prepare some additional data from the context. <ide> * <add> * If the table option was provided to the constructor and it <add> * was a string, ORM\TableRegistry will be used to get the correct table instance. <add> * <add> * If an object is provided as the table option, it will be used as is. <add> * <add> * If no table option is provided, the table name will be derived based on <add> * naming conventions. This inference will work with a number of common objects <add> * like arrays, Collection objects and ResultSets. <add> * <ide> * @return void <add> * @throws \RuntimeException When a table object cannot be located/inferred. <ide> */ <ide> protected function _prepare() { <ide> $table = $this->_context['table']; <ide> if (empty($table)) { <ide> $entity = $this->_context['entity']; <add> if ($entity instanceof IteratorAggregate) { <add> $entity = $entity->getIterator()->current(); <add> } elseif ($entity instanceof IteratorIterator) { <add> $entity = $entity->getInnerIterator()->current(); <add> } elseif ($entity instanceof Traversable) { <add> $entity = $entity->current(); <add> } elseif (is_array($entity)) { <add> $entity = current($entity); <add> } <ide> if ($entity instanceof Entity) { <ide> list($ns, $entityClass) = namespaceSplit(get_class($entity)); <ide> $table = Inflector::pluralize($entityClass); <ide> protected function _prepare() { <ide> if (is_string($table)) { <ide> $table = TableRegistry::get($table); <ide> } <add> <ide> if (!is_object($table)) { <ide> throw new \RuntimeException( <ide> 'Unable to find table class for current entity' <ide><path>tests/TestCase/View/Form/EntityContextTest.php <ide> use Cake\TestSuite\TestCase; <ide> use Cake\Validation\Validator; <ide> use Cake\View\Form\EntityContext; <add>use ArrayIterator; <ide> use ArrayObject; <ide> <ide> /** <ide> public function testOperationsNoTableArg() { <ide> $this->assertEquals($row->errors('title'), $result); <ide> } <ide> <add>/** <add> * Test collection operations that lack a table argument. <add> * <add> * @dataProvider collectionProvider <add> * @return void <add> */ <add> public function testCollectionOperationsNoTableArg($collection) { <add> $context = new EntityContext($this->request, [ <add> 'entity' => $collection, <add> ]); <add> <add> $result = $context->val('0.title'); <add> $this->assertEquals('First post', $result); <add> <add> $result = $context->error('1.body'); <add> $this->assertEquals(['Not long enough'], $result); <add> } <add> <ide> /** <ide> * Data provider for testing collections. <ide> * <ide> public static function collectionProvider() { <ide> return [ <ide> 'array' => [[$one, $two]], <ide> 'basic iterator' => [new ArrayObject([$one, $two])], <add> 'array iterator' => [new ArrayIterator([$one, $two])], <ide> 'collection' => [new Collection([$one, $two])], <ide> ]; <ide> }
2
Text
Text
add a note for the plan to delete r1 folder
f358ee2b196274164b8829d7d5ea6429b1a6b678
<ide><path>official/r1/README.md <ide> The R1 folder contains legacy model implmentation and models that will not <ide> update to TensorFlow 2.x. They do not have solid performance tracking. <ide> <add>**Note: models will be removed from the master branch by 2020/06.** <add> <add>After removal, you can still access to these legacy models in the previous <add>released tags, e.g. [v2.1.0](https://github.com/tensorflow/models/releases/tag/v2.1.0). <add> <add> <ide> ## Legacy model implmentation <ide> <ide> Transformer and MNIST implementation uses pure TF 1.x TF-Estimator.
1
Ruby
Ruby
fix typo in loading error message
e50d4c9dedc75835c17211f337c0c08d2a5f58a0
<ide><path>activerecord/lib/active_record/connection_adapters/connection_specification.rb <ide> def spec(config) <ide> # Bubbled up from the adapter require. Prefix the exception message <ide> # with some guidance about how to address it and reraise. <ide> else <del> raise e.class, "Error loading the '#{spec[:adapter]}' Action Record adapter. Missing a gem it depends on? #{e.message}", e.backtrace <add> raise e.class, "Error loading the '#{spec[:adapter]}' Active Record adapter. Missing a gem it depends on? #{e.message}", e.backtrace <ide> end <ide> end <ide>
1
Ruby
Ruby
prefer each instead of for in activeresource
647c55ac43bdddc180d92b967089882da9d227cd
<ide><path>activeresource/lib/active_resource/http_mock.rb <ide> def initialize(responses) <ide> @responses = responses <ide> end <ide> <del> for method in [ :post, :put, :get, :delete, :head ] <add> [ :post, :put, :get, :delete, :head ].each do |method| <ide> # def post(path, request_headers = {}, body = nil, status = 200, response_headers = {}) <ide> # @responses[Request.new(:post, path, nil, request_headers)] = Response.new(body || "", status, response_headers) <ide> # end
1
Python
Python
add basic support for tf optimizers, part deux
7f42253f46032dba423a2f63ed7cfc16304585c0
<ide><path>keras/models.py <ide> import numpy as np <ide> <ide> from . import backend as K <add>from . import optimizers <ide> from .utils.io_utils import ask_to_proceed_with_overwrite <ide> from .engine.training import Model <ide> from .engine.topology import get_source_inputs, Node, Layer <ide> def get_json_type(obj): <ide> model.save_weights_to_hdf5_group(model_weights_group) <ide> <ide> if hasattr(model, 'optimizer'): <del> f.attrs['training_config'] = json.dumps({ <del> 'optimizer_config': { <del> 'class_name': model.optimizer.__class__.__name__, <del> 'config': model.optimizer.get_config() <del> }, <del> 'loss': model.loss, <del> 'metrics': model.metrics, <del> 'sample_weight_mode': model.sample_weight_mode, <del> 'loss_weights': model.loss_weights, <del> }, default=get_json_type).encode('utf8') <del> <del> # save optimizer weights <del> symbolic_weights = getattr(model.optimizer, 'weights') <del> if symbolic_weights: <del> optimizer_weights_group = f.create_group('optimizer_weights') <del> weight_values = K.batch_get_value(symbolic_weights) <del> weight_names = [] <del> for i, (w, val) in enumerate(zip(symbolic_weights, weight_values)): <del> if hasattr(w, 'name') and w.name: <del> name = str(w.name) <del> else: <del> name = 'param_' + str(i) <del> weight_names.append(name.encode('utf8')) <del> optimizer_weights_group.attrs['weight_names'] = weight_names <del> for name, val in zip(weight_names, weight_values): <del> param_dset = optimizer_weights_group.create_dataset( <del> name, <del> val.shape, <del> dtype=val.dtype) <del> if not val.shape: <del> # scalar <del> param_dset[()] = val <del> else: <del> param_dset[:] = val <add> if isinstance(model.optimizer, optimizers.TFOptimizer): <add> warnings.warn( <add> 'TensorFlow optimizers do not ' <add> 'make it possible to access ' <add> 'optimizer attributes or optimizer state ' <add> 'after instantiation. ' <add> 'As a result, we cannot save the optimizer ' <add> 'as part of the model save file.' <add> 'You will have to compile your model again after loading it. ' <add> 'Prefer using a Keras optimizer instead ' <add> '(see keras.io/optimizers).') <add> else: <add> f.attrs['training_config'] = json.dumps({ <add> 'optimizer_config': { <add> 'class_name': model.optimizer.__class__.__name__, <add> 'config': model.optimizer.get_config() <add> }, <add> 'loss': model.loss, <add> 'metrics': model.metrics, <add> 'sample_weight_mode': model.sample_weight_mode, <add> 'loss_weights': model.loss_weights, <add> }, default=get_json_type).encode('utf8') <add> <add> # save optimizer weights <add> symbolic_weights = getattr(model.optimizer, 'weights') <add> if symbolic_weights: <add> optimizer_weights_group = f.create_group('optimizer_weights') <add> weight_values = K.batch_get_value(symbolic_weights) <add> weight_names = [] <add> for i, (w, val) in enumerate(zip(symbolic_weights, weight_values)): <add> if hasattr(w, 'name') and w.name: <add> name = str(w.name) <add> else: <add> name = 'param_' + str(i) <add> weight_names.append(name.encode('utf8')) <add> optimizer_weights_group.attrs['weight_names'] = weight_names <add> for name, val in zip(weight_names, weight_values): <add> param_dset = optimizer_weights_group.create_dataset( <add> name, <add> val.shape, <add> dtype=val.dtype) <add> if not val.shape: <add> # scalar <add> param_dset[()] = val <add> else: <add> param_dset[:] = val <ide> f.flush() <ide> f.close() <ide> <ide><path>keras/optimizers.py <ide> from . import backend as K <ide> from .utils.generic_utils import get_from_module <ide> from six.moves import zip <add>import warnings <ide> <ide> <ide> def clip_norm(g, c, n): <ide> def get_updates(self, params, constraints, loss): <ide> 'all weights constraints in your model, ' <ide> 'or use a Keras optimizer.') <ide> grads = self.optimizer.compute_gradients(loss, params) <del> self.updates.append(K.update_add(self.iterations, 1)) <ide> opt_update = self.optimizer.apply_gradients( <ide> grads, global_step=self.iterations) <ide> self.updates.append(opt_update)
2
Javascript
Javascript
fix references to `tpload` minerr in tests
b87c6a6d4d3d73fbc4d8aeecca58503d5d958d2c
<ide><path>test/ng/compileSpec.js <ide> describe('$compile', function() { <ide> <ide> expect(function() { <ide> $httpBackend.flush(); <del> }).toThrowMinErr('$compile', 'tpload', 'Failed to load template: hello.html'); <add> }).toThrowMinErr('$templateRequest', 'tpload', 'Failed to load template: hello.html'); <ide> expect(sortedHtml(element)).toBe('<div><b class="hello"></b></div>'); <ide> }) <ide> ); <ide><path>test/ng/templateRequestSpec.js <ide> describe('$templateRequest', function() { <ide> $templateRequest('tpl.html').catch(function(reason) { err = reason; }); <ide> $httpBackend.flush(); <ide> <del> expect(err).toEqualMinErr('$compile', 'tpload', <add> expect(err).toEqualMinErr('$templateRequest', 'tpload', <ide> 'Failed to load template: tpl.html (HTTP status: 404 Not Found)'); <del> expect($exceptionHandler.errors[0]).toEqualMinErr('$compile', 'tpload', <add> expect($exceptionHandler.errors[0]).toEqualMinErr('$templateRequest', 'tpload', <ide> 'Failed to load template: tpl.html (HTTP status: 404 Not Found)'); <ide> }); <ide> }); <ide><path>test/ngRoute/routeSpec.js <ide> describe('$route', function() { <ide> <ide> $httpBackend.flush(); <ide> expect($exceptionHandler.errors.pop()). <del> toEqualMinErr('$compile', 'tpload', 'Failed to load template: r1.html'); <add> toEqualMinErr('$templateRequest', 'tpload', 'Failed to load template: r1.html'); <ide> <ide> $httpBackend.expectGET('r2.html').respond(''); <ide> $location.path('/r2');
3
Javascript
Javascript
fix json to match native browser behavior
26e651996a9cd7fa1acf6380fad8b335b769554d
<ide><path>src/JSON.js <ide> function toJsonArray(buf, obj, pretty, stack) { <ide> var childPretty = pretty ? pretty + " " : false; <ide> var keys = []; <ide> for(var k in obj) { <del> if (obj[k] === undefined) <del> continue; <del> keys.push(k); <add> if (obj.hasOwnProperty(k) && obj[k] !== undefined) { <add> keys.push(k); <add> } <ide> } <ide> keys.sort(); <ide> for ( var keyIndex = 0; keyIndex < keys.length; keyIndex++) { <ide><path>test/JsonSpec.js <ide> describe('json', function(){ <ide> expect(angular.toJson(obj)).toEqual('{"$a":"a"}'); <ide> }); <ide> <del> it('should serialize inherited properties', function() { <add> it('should NOT serialize inherited properties', function() { <add> // This is what native Browser does <ide> var obj = inherit({p:'p'}); <ide> obj.a = 'a'; <del> expect(angular.toJson(obj)).toEqual('{"a":"a","p":"p"}'); <add> expect(angular.toJson(obj)).toEqual('{"a":"a"}'); <ide> }); <ide> <ide> it('should serialize same objects multiple times', function() {
2
Python
Python
add regression test for
ee97fd3cb4b3fe5d62a28e8cd936073d11678bbf
<ide><path>spacy/tests/regression/test_issue1547.py <add># coding: utf8 <add>from __future__ import unicode_literals <add> <add>import pytest <add> <add>from ...vocab import Vocab <add>from ...tokens import Doc, Span <add> <add> <add>@pytest.mark.xfail <add>def test_issue1547(): <add> """Test that entity labels still match after merging tokens.""" <add> words = ['\n', 'worda', '.', '\n', 'wordb', '-', 'Biosphere', '2', '-', ' \n'] <add> doc = Doc(Vocab(), words=words) <add> doc.ents = [Span(doc, 6, 8, label=doc.vocab.strings['PRODUCT'])] <add> doc[5:7].merge() <add> assert [ent.text for ent in doc.ents]
1
Javascript
Javascript
use es6 default parameters
008f1dcd1605cfe925f9b754316e0d4d5036a1a2
<ide><path>packages/ember-application/lib/system/application-instance.js <ide> if (isEnabled('ember-application-visit')) { <ide> @namespace @Ember.ApplicationInstance <ide> @public <ide> */ <del> BootOptions = function BootOptions(options) { <del> options = options || {}; <del> <add> BootOptions = function BootOptions(options = {}) { <ide> /** <ide> Provide a specific instance of jQuery. This is useful in conjunction with <ide> the `document` option, as it allows you to use a copy of `jQuery` that is <ide><path>packages/ember-application/lib/system/application.js <ide> var Application = Namespace.extend(RegistryProxy, { <ide> @method buildInstance <ide> @return {Ember.ApplicationInstance} the application instance <ide> */ <del> buildInstance(options) { <del> options = options || {}; <add> buildInstance(options = {}) { <ide> options.application = this; <del> <ide> return ApplicationInstance.create(options); <ide> }, <ide>
2
Javascript
Javascript
add error if camera is null
29405750b95ea9d318ea3e90051966a1ea04ae1e
<ide><path>src/objects/Sprite.js <ide> Sprite.prototype = Object.assign( Object.create( Object3D.prototype ), { <ide> <ide> raycast: function ( raycaster, intersects ) { <ide> <add> if ( raycaster.camera === null ) { <add> <add> console.error( 'THREE.Sprite: "Raycaster.camera" needs to be set in order to raycast against sprites.' ); <add> <add> } <add> <ide> if ( _uvC === undefined ) { <ide> <ide> _intersectPoint = new Vector3();
1
Javascript
Javascript
fix tooltip with array returns
f106e1bf2db1aa604edb62b8e3b309329c41dd94
<ide><path>src/core/core.tooltip.js <ide> module.exports = function(Chart) { <ide> function pushOrConcat(base, toPush) { <ide> if (toPush) { <ide> if (helpers.isArray(toPush)) { <del> base = base.concat(toPush); <add> //base = base.concat(toPush); <add> Array.prototype.push.apply(base, toPush); <ide> } else { <ide> base.push(toPush); <ide> }
1