diff --git a/java/core/src/main/java/com/google/protobuf/CodedInputStream.java b/java/core/src/main/java/com/google/protobuf/CodedInputStream.java index 00be6f004a..6098a9ad8e 100644 --- a/java/core/src/main/java/com/google/protobuf/CodedInputStream.java +++ b/java/core/src/main/java/com/google/protobuf/CodedInputStream.java @@ -3523,9 +3523,25 @@ public abstract class CodedInputStream { return ByteString.wrap(bytes); } } else if (size > 0 && size <= remaining()) { - byte[] temp = new byte[size]; - readRawBytesTo(temp, 0, size); - return ByteString.wrap(temp); + if (immutable && enableAliasing) { + ArrayList byteStrings = new ArrayList<>(); + int l = size; + while (l > 0) { + if (currentRemaining() == 0) { + getNextByteBuffer(); + } + int bytesToCopy = Math.min(l, (int) currentRemaining()); + int idx = (int) (currentByteBufferPos - currentAddress); + byteStrings.add(ByteString.wrap(slice(idx, idx + bytesToCopy))); + l -= bytesToCopy; + currentByteBufferPos += bytesToCopy; + } + return ByteString.copyFrom(byteStrings); + } else { + byte[] temp = new byte[size]; + readRawBytesTo(temp, 0, size); + return ByteString.wrap(temp); + } } if (size == 0) { diff --git a/java/core/src/test/java/com/google/protobuf/CodedInputStreamTest.java b/java/core/src/test/java/com/google/protobuf/CodedInputStreamTest.java index 532052cdb3..4de5f5b12d 100644 --- a/java/core/src/test/java/com/google/protobuf/CodedInputStreamTest.java +++ b/java/core/src/test/java/com/google/protobuf/CodedInputStreamTest.java @@ -1142,6 +1142,39 @@ public class CodedInputStreamTest extends TestCase { } } + public void testIterableByteBufferInputStreamReadBytesWithAlias() throws Exception { + ByteArrayOutputStream byteArrayStream = new ByteArrayOutputStream(); + CodedOutputStream output = CodedOutputStream.newInstance(byteArrayStream); + // A bytes field large enough that won't fit into the default block buffer. + // 4.5 is to test the case where the total size of input is not aligned with DEFAULT_BLOCK_SIZE. + final int bytesLength = DEFAULT_BLOCK_SIZE * 4 + (DEFAULT_BLOCK_SIZE / 2); + byte[] bytes = new byte[bytesLength]; + for (int i = 0; i < bytesLength; i++) { + bytes[i] = (byte) (i % 256); + } + output.writeByteArrayNoTag(bytes); + output.flush(); + + // Input data is split into multiple ByteBuffers so that a single bytes spans across them. + // CodedInputStream with aliasing will decode it as a consequent rope by wrapping ByteBuffers. + byte[] data = byteArrayStream.toByteArray(); + ArrayList input = new ArrayList<>(); + for (int i = 0; i < data.length; i += DEFAULT_BLOCK_SIZE) { + int rl = Math.min(DEFAULT_BLOCK_SIZE, data.length - i); + ByteBuffer rb = ByteBuffer.allocateDirect(rl); + rb.put(data, i, rl); + rb.flip(); + input.add(rb); + } + final CodedInputStream inputStream = CodedInputStream.newInstance(input, true); + inputStream.enableAliasing(true); + + ByteString result = inputStream.readBytes(); + for (int i = 0; i < bytesLength; i++) { + assertEquals((byte) (i % 256), result.byteAt(i)); + } + } + public void testCompatibleTypes() throws Exception { long data = 0x100000000L; Int64Message message = Int64Message.newBuilder().setData(data).build(); @@ -1196,7 +1229,7 @@ public class CodedInputStreamTest extends TestCase { // Expected } } - + public void testMaliciousInputStream() throws Exception { ByteArrayOutputStream outputStream = new ByteArrayOutputStream(); CodedOutputStream codedOutputStream = CodedOutputStream.newInstance(outputStream); @@ -1210,17 +1243,17 @@ public class CodedInputStreamTest extends TestCase { return super.read(b, off, len); } }; - + // test ByteString - + CodedInputStream codedInputStream = CodedInputStream.newInstance(inputStream, 1); ByteString byteString = codedInputStream.readBytes(); assertEquals(0x0, byteString.byteAt(0)); maliciousCapture.get(1)[0] = 0x9; assertEquals(0x0, byteString.byteAt(0)); - + // test ByteBuffer - + inputStream.reset(); maliciousCapture.clear(); codedInputStream = CodedInputStream.newInstance(inputStream, 1); @@ -1228,10 +1261,10 @@ public class CodedInputStreamTest extends TestCase { assertEquals(0x0, byteBuffer.get(0)); maliciousCapture.get(1)[0] = 0x9; assertEquals(0x0, byteBuffer.get(0)); - + // test byte[] - + inputStream.reset(); maliciousCapture.clear(); codedInputStream = CodedInputStream.newInstance(inputStream, 1); @@ -1241,7 +1274,7 @@ public class CodedInputStreamTest extends TestCase { assertEquals(0x9, byteArray[0]); // MODIFICATION! Should we fix? // test rawBytes - + inputStream.reset(); maliciousCapture.clear(); codedInputStream = CodedInputStream.newInstance(inputStream, 1); diff --git a/java/util/src/main/java/com/google/protobuf/util/Durations.java b/java/util/src/main/java/com/google/protobuf/util/Durations.java index 7470960821..fd13771e00 100644 --- a/java/util/src/main/java/com/google/protobuf/util/Durations.java +++ b/java/util/src/main/java/com/google/protobuf/util/Durations.java @@ -149,6 +149,12 @@ public final class Durations { return (duration.getSeconds() == 0) ? duration.getNanos() < 0 : duration.getSeconds() < 0; } + /** Returns whether the given {@link Duration} is positive or not. */ + public static boolean isPositive(Duration duration) { + checkValid(duration); + return !isNegative(duration) && !duration.equals(ZERO); + } + /** * Ensures that the given {@link Duration} is not negative. * @@ -157,7 +163,6 @@ public final class Durations { */ @CanIgnoreReturnValue public static Duration checkNotNegative(Duration duration) { - checkValid(duration); checkArgument(!isNegative(duration), "duration (%s) must not be negative", toString(duration)); return duration; } @@ -170,11 +175,7 @@ public final class Durations { */ @CanIgnoreReturnValue public static Duration checkPositive(Duration duration) { - checkValid(duration); - checkArgument( - !isNegative(duration) && !duration.equals(ZERO), - "duration (%s) must be positive", - toString(duration)); + checkArgument(isPositive(duration), "duration (%s) must be positive", toString(duration)); return duration; } diff --git a/python/google/protobuf/pyext/descriptor.cc b/python/google/protobuf/pyext/descriptor.cc index 3218d7d40c..eeb844c2dc 100644 --- a/python/google/protobuf/pyext/descriptor.cc +++ b/python/google/protobuf/pyext/descriptor.cc @@ -250,8 +250,9 @@ static PyObject* GetOrBuildOptions(const DescriptorClass *descriptor) { message_type->full_name().c_str()); return NULL; } + ScopedPyObjectPtr args(PyTuple_New(0)); ScopedPyObjectPtr value( - PyObject_Call(message_class->AsPyObject(), NULL, NULL)); + PyObject_Call(message_class->AsPyObject(), args.get(), NULL)); Py_DECREF(message_class); if (value == NULL) { return NULL; diff --git a/python/google/protobuf/pyext/descriptor_pool.cc b/python/google/protobuf/pyext/descriptor_pool.cc index a24d45d834..d330e0d6f4 100644 --- a/python/google/protobuf/pyext/descriptor_pool.cc +++ b/python/google/protobuf/pyext/descriptor_pool.cc @@ -178,7 +178,8 @@ static PyObject* New(PyTypeObject* type, PyObject* args, PyObject* kwargs) { static const char* kwlist[] = {"descriptor_db", 0}; PyObject* py_database = NULL; - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "|O", const_cast(kwlist), &py_database)) { + if (!PyArg_ParseTupleAndKeywords(args, kwargs, "|O", + const_cast(kwlist), &py_database)) { return NULL; } DescriptorDatabase* database = NULL; diff --git a/python/google/protobuf/pyext/map_container.cc b/python/google/protobuf/pyext/map_container.cc index 346a5f5463..1c2c526a35 100644 --- a/python/google/protobuf/pyext/map_container.cc +++ b/python/google/protobuf/pyext/map_container.cc @@ -466,7 +466,8 @@ static PyObject* ScalarMapGet(PyObject* self, PyObject* args, static const char* kwlist[] = {"key", "default", nullptr}; PyObject* key; PyObject* default_value = NULL; - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "O|O", const_cast(kwlist), &key, + if (!PyArg_ParseTupleAndKeywords(args, kwargs, "O|O", + const_cast(kwlist), &key, &default_value)) { return NULL; } @@ -761,7 +762,8 @@ PyObject* MessageMapGet(PyObject* self, PyObject* args, PyObject* kwargs) { static const char* kwlist[] = {"key", "default", nullptr}; PyObject* key; PyObject* default_value = NULL; - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "O|O", const_cast(kwlist), &key, + if (!PyArg_ParseTupleAndKeywords(args, kwargs, "O|O", + const_cast(kwlist), &key, &default_value)) { return NULL; } diff --git a/python/google/protobuf/pyext/message.cc b/python/google/protobuf/pyext/message.cc index 0921af7c03..f30c6baf96 100644 --- a/python/google/protobuf/pyext/message.cc +++ b/python/google/protobuf/pyext/message.cc @@ -197,15 +197,14 @@ static int AddDescriptors(PyObject* cls, const Descriptor* descriptor) { } static PyObject* New(PyTypeObject* type, PyObject* args, PyObject* kwargs) { - static const char *kwlist[] = {"name", "bases", "dict", 0}; + static const char* kwlist[] = {"name", "bases", "dict", 0}; PyObject *bases, *dict; const char* name; // Check arguments: (name, bases, dict) - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "sO!O!:type", const_cast(kwlist), - &name, - &PyTuple_Type, &bases, - &PyDict_Type, &dict)) { + if (!PyArg_ParseTupleAndKeywords( + args, kwargs, "sO!O!:type", const_cast(kwlist), &name, + &PyTuple_Type, &bases, &PyDict_Type, &dict)) { return NULL; } @@ -1680,10 +1679,10 @@ static PyObject* InternalSerializeToString( CMessage* self, PyObject* args, PyObject* kwargs, bool require_initialized) { // Parse the "deterministic" kwarg; defaults to False. - static const char* kwlist[] = { "deterministic", 0 }; + static const char* kwlist[] = {"deterministic", 0}; PyObject* deterministic_obj = Py_None; - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "|O", const_cast(kwlist), - &deterministic_obj)) { + if (!PyArg_ParseTupleAndKeywords( + args, kwargs, "|O", const_cast(kwlist), &deterministic_obj)) { return NULL; } // Preemptively convert to a bool first, so we don't need to back out of diff --git a/python/google/protobuf/pyext/message_factory.cc b/python/google/protobuf/pyext/message_factory.cc index 5a10c3dc24..7905be0214 100644 --- a/python/google/protobuf/pyext/message_factory.cc +++ b/python/google/protobuf/pyext/message_factory.cc @@ -79,7 +79,8 @@ PyMessageFactory* NewMessageFactory(PyTypeObject* type, PyDescriptorPool* pool) PyObject* New(PyTypeObject* type, PyObject* args, PyObject* kwargs) { static const char* kwlist[] = {"pool", 0}; PyObject* pool = NULL; - if (!PyArg_ParseTupleAndKeywords(args, kwargs, "|O", const_cast(kwlist), &pool)) { + if (!PyArg_ParseTupleAndKeywords(args, kwargs, "|O", + const_cast(kwlist), &pool)) { return NULL; } ScopedPyObjectPtr owned_pool; diff --git a/src/google/protobuf/compiler/command_line_interface.cc b/src/google/protobuf/compiler/command_line_interface.cc index de8dc44d6e..57e81f8704 100644 --- a/src/google/protobuf/compiler/command_line_interface.cc +++ b/src/google/protobuf/compiler/command_line_interface.cc @@ -290,7 +290,10 @@ class CommandLineInterface::ErrorPrinter public DescriptorPool::ErrorCollector { public: ErrorPrinter(ErrorFormat format, DiskSourceTree* tree = NULL) - : format_(format), tree_(tree), found_errors_(false), found_warnings_(false) {} + : format_(format), + tree_(tree), + found_errors_(false), + found_warnings_(false) {} ~ErrorPrinter() {} // implements MultiFileErrorCollector ------------------------------ @@ -1639,8 +1642,7 @@ bool CommandLineInterface::ParseArgument(const char* arg, std::string* name, *name == "--version" || *name == "--decode_raw" || *name == "--print_free_field_numbers" || *name == "--experimental_allow_proto3_optional" || - *name == "--deterministic_output" || - *name == "--fatal_warnings") { + *name == "--deterministic_output" || *name == "--fatal_warnings") { // HACK: These are the only flags that don't take a value. // They probably should not be hard-coded like this but for now it's // not worth doing better. diff --git a/src/google/protobuf/compiler/command_line_interface_unittest.cc b/src/google/protobuf/compiler/command_line_interface_unittest.cc index 5fc111ed6a..9cc8cf98c7 100644 --- a/src/google/protobuf/compiler/command_line_interface_unittest.cc +++ b/src/google/protobuf/compiler/command_line_interface_unittest.cc @@ -525,8 +525,7 @@ void CommandLineInterfaceTest::ExpectCapturedStdoutSubstringWithZeroReturnCode( void CommandLineInterfaceTest::ExpectCapturedStderrSubstringWithZeroReturnCode( const std::string& expected_substring) { EXPECT_EQ(0, return_code_); - EXPECT_PRED_FORMAT2(testing::IsSubstring, expected_substring, - error_text_); + EXPECT_PRED_FORMAT2(testing::IsSubstring, expected_substring, error_text_); } void CommandLineInterfaceTest::ExpectFileContent(const std::string& filename, @@ -2333,20 +2332,18 @@ TEST_F(CommandLineInterfaceTest, Warnings) { // Test --fatal_warnings. CreateTempFile("foo.proto", - "syntax = \"proto2\";\n" - "import \"bar.proto\";\n"); - CreateTempFile("bar.proto", - "syntax = \"proto2\";\n"); + "syntax = \"proto2\";\n" + "import \"bar.proto\";\n"); + CreateTempFile("bar.proto", "syntax = \"proto2\";\n"); Run("protocol_compiler --test_out=$tmpdir " - "--proto_path=$tmpdir foo.proto"); + "--proto_path=$tmpdir foo.proto"); ExpectCapturedStderrSubstringWithZeroReturnCode( - "foo.proto:2:1: warning: Import bar.proto is unused."); + "foo.proto:2:1: warning: Import bar.proto is unused."); Run("protocol_compiler --test_out=$tmpdir --fatal_warnings " - "--proto_path=$tmpdir foo.proto"); - ExpectErrorSubstring( - "foo.proto:2:1: warning: Import bar.proto is unused."); + "--proto_path=$tmpdir foo.proto"); + ExpectErrorSubstring("foo.proto:2:1: warning: Import bar.proto is unused."); } // ------------------------------------------------------------------- diff --git a/src/google/protobuf/port.h b/src/google/protobuf/port.h index aa2cfc1eb8..4c09eb1dbe 100644 --- a/src/google/protobuf/port.h +++ b/src/google/protobuf/port.h @@ -37,11 +37,4 @@ #define GOOGLE_PROTOBUF_PORT_H__ -#include - -// Protobuf intends to move into the pb:: namespace. -namespace protobuf_future_namespace_placeholder {} -namespace pb = ::protobuf_future_namespace_placeholder; - - #endif // GOOGLE_PROTOBUF_PORT_H__ diff --git a/src/google/protobuf/stubs/status.cc b/src/google/protobuf/stubs/status.cc index e0718521a4..f5c0fa48f1 100644 --- a/src/google/protobuf/stubs/status.cc +++ b/src/google/protobuf/stubs/status.cc @@ -85,8 +85,7 @@ inline std::string StatusCodeToString(StatusCode code) { } // namespace -Status::Status() : error_code_(StatusCode::kOk) { -} +Status::Status() : error_code_(StatusCode::kOk) {} Status::Status(StatusCode error_code, StringPiece error_message) : error_code_(error_code) { @@ -117,15 +116,12 @@ std::string Status::ToString() const { if (error_message_.empty()) { return StatusCodeToString(error_code_); } else { - return StatusCodeToString(error_code_) + ":" + - error_message_; + return StatusCodeToString(error_code_) + ":" + error_message_; } } } -Status OkStatus() { - return Status(); -} +Status OkStatus() { return Status(); } std::ostream& operator<<(std::ostream& os, const Status& x) { os << x.ToString(); diff --git a/src/google/protobuf/stubs/status.h b/src/google/protobuf/stubs/status.h index 187bc27078..c858cf6239 100644 --- a/src/google/protobuf/stubs/status.h +++ b/src/google/protobuf/stubs/status.h @@ -78,12 +78,8 @@ class PROTOBUF_EXPORT Status { ~Status() {} // Accessor - bool ok() const { - return error_code_ == StatusCode::kOk; - } - StatusCode code() const { - return error_code_; - } + bool ok() const { return error_code_ == StatusCode::kOk; } + StatusCode code() const { return error_code_; } StringPiece message() const { return error_message_; } @@ -173,7 +169,6 @@ using ::google::protobuf::util::status_internal::IsUnavailable; using ::google::protobuf::util::status_internal::IsUnimplemented; using ::google::protobuf::util::status_internal::IsUnknown; -using ::google::protobuf::util::status_internal::OkStatus; using ::google::protobuf::util::status_internal::AbortedError; using ::google::protobuf::util::status_internal::AlreadyExistsError; using ::google::protobuf::util::status_internal::CancelledError; @@ -183,6 +178,7 @@ using ::google::protobuf::util::status_internal::FailedPreconditionError; using ::google::protobuf::util::status_internal::InternalError; using ::google::protobuf::util::status_internal::InvalidArgumentError; using ::google::protobuf::util::status_internal::NotFoundError; +using ::google::protobuf::util::status_internal::OkStatus; using ::google::protobuf::util::status_internal::OutOfRangeError; using ::google::protobuf::util::status_internal::PermissionDeniedError; using ::google::protobuf::util::status_internal::ResourceExhaustedError; diff --git a/src/google/protobuf/stubs/status_test.cc b/src/google/protobuf/stubs/status_test.cc index cca6c2bc3d..9e9edf7e5f 100644 --- a/src/google/protobuf/stubs/status_test.cc +++ b/src/google/protobuf/stubs/status_test.cc @@ -247,9 +247,7 @@ TEST(Status, AssignEmpty) { ASSERT_TRUE(a.ok()); } -TEST(Status, EqualsOK) { - ASSERT_EQ(util::OkStatus(), util::Status()); -} +TEST(Status, EqualsOK) { ASSERT_EQ(util::OkStatus(), util::Status()); } TEST(Status, EqualsSame) { const util::Status a = util::CancelledError("message"); diff --git a/src/google/protobuf/stubs/statusor.h b/src/google/protobuf/stubs/statusor.h index 0f483778f1..a569502bce 100644 --- a/src/google/protobuf/stubs/statusor.h +++ b/src/google/protobuf/stubs/statusor.h @@ -174,10 +174,8 @@ struct StatusOrHelper::Specialize { static inline bool IsValueNull(const T* t) { return t == nullptr; } }; -template -inline StatusOr::StatusOr() - : status_(util::UnknownError("")) { -} +template +inline StatusOr::StatusOr() : status_(util::UnknownError("")) {} template inline StatusOr::StatusOr(const Status& status) { diff --git a/src/google/protobuf/stubs/statusor_test.cc b/src/google/protobuf/stubs/statusor_test.cc index 27f8ac8b75..403adcc0b6 100644 --- a/src/google/protobuf/stubs/statusor_test.cc +++ b/src/google/protobuf/stubs/statusor_test.cc @@ -110,7 +110,7 @@ TEST(StatusOr, TestCopyCtorStatusOKConverting) { } TEST(StatusOr, TestCopyCtorStatusNotOkConverting) { - StatusOr original(util::CancelledError("")); + StatusOr original(util::CancelledError("")); StatusOr copy(original); EXPECT_EQ(original.status(), copy.status()); } @@ -141,7 +141,7 @@ TEST(StatusOr, TestAssignmentStatusOKConverting) { } TEST(StatusOr, TestAssignmentStatusNotOkConverting) { - StatusOr source(util::CancelledError("")); + StatusOr source(util::CancelledError("")); StatusOr target; target = source; EXPECT_EQ(source.status(), target.status()); diff --git a/src/google/protobuf/util/field_comparator.h b/src/google/protobuf/util/field_comparator.h index 7ad715b201..4bd5395e56 100644 --- a/src/google/protobuf/util/field_comparator.h +++ b/src/google/protobuf/util/field_comparator.h @@ -173,6 +173,10 @@ class PROTOBUF_EXPORT SimpleFieldComparator : public FieldComparator { const Message& message1, const Message& message2, const util::FieldContext* field_context); + // Returns FieldComparator::SAME if boolean_result is true and + // FieldComparator::DIFFERENT otherwise. + ComparisonResult ResultFromBoolean(bool boolean_result) const; + private: // Defines the tolerance for floating point comparison (fraction and margin). struct Tolerance { @@ -239,10 +243,6 @@ class PROTOBUF_EXPORT SimpleFieldComparator : public FieldComparator { template bool CompareDoubleOrFloat(const FieldDescriptor& field, T value_1, T value_2); - // Returns FieldComparator::SAME if boolean_result is true and - // FieldComparator::DIFFERENT otherwise. - ComparisonResult ResultFromBoolean(bool boolean_result) const; - FloatComparison float_comparison_; // If true, floats and doubles that are both NaN are considered to be diff --git a/src/google/protobuf/util/internal/datapiece.cc b/src/google/protobuf/util/internal/datapiece.cc index 4384b79c24..52c335dd8a 100644 --- a/src/google/protobuf/util/internal/datapiece.cc +++ b/src/google/protobuf/util/internal/datapiece.cc @@ -57,11 +57,10 @@ util::StatusOr ValidateNumberConversion(To after, From before) { MathUtil::Sign(before) == MathUtil::Sign(after)) { return after; } else { - return util::InvalidArgumentError(std::is_integral::value - ? ValueAsString(before) - : std::is_same::value - ? DoubleAsString(before) - : FloatAsString(before)); + return util::InvalidArgumentError( + std::is_integral::value ? ValueAsString(before) + : std::is_same::value ? DoubleAsString(before) + : FloatAsString(before)); } } @@ -260,7 +259,8 @@ util::StatusOr DataPiece::ToBytes() const { if (type_ == TYPE_STRING) { std::string decoded; if (!DecodeBase64(str_, &decoded)) { - return util::InvalidArgumentError(ValueAsStringOrDefault("Invalid data in input.")); + return util::InvalidArgumentError( + ValueAsStringOrDefault("Invalid data in input.")); } return decoded; } else { @@ -358,7 +358,8 @@ util::StatusOr DataPiece::StringToNumber(bool (*func)(StringPiece, } To result; if (func(str_, &result)) return result; - return util::InvalidArgumentError(StrCat("\"", std::string(str_), "\"")); + return util::InvalidArgumentError( + StrCat("\"", std::string(str_), "\"")); } bool DataPiece::DecodeBase64(StringPiece src, std::string* dest) const { diff --git a/src/google/protobuf/util/internal/field_mask_utility.cc b/src/google/protobuf/util/internal/field_mask_utility.cc index cd194e87d4..f211a5402b 100644 --- a/src/google/protobuf/util/internal/field_mask_utility.cc +++ b/src/google/protobuf/util/internal/field_mask_utility.cc @@ -134,10 +134,9 @@ util::Status DecodeCompactFieldMaskPaths(StringPiece paths, } // Un-escaped '"' must be followed with a ']'. if (i >= length - 1 || paths[i + 1] != ']') { - return util::InvalidArgumentError( - StrCat( - "Invalid FieldMask '", paths, - "'. Map keys should be represented as [\"some_key\"].")); + return util::InvalidArgumentError(StrCat( + "Invalid FieldMask '", paths, + "'. Map keys should be represented as [\"some_key\"].")); } // The end of the map key ("\"]") has been found. in_map_key = false; @@ -146,10 +145,9 @@ util::Status DecodeCompactFieldMaskPaths(StringPiece paths, // Checks whether the key ends at the end of a path segment. if (i < length - 1 && paths[i + 1] != '.' && paths[i + 1] != ',' && paths[i + 1] != ')' && paths[i + 1] != '(') { - return util::InvalidArgumentError( - StrCat( - "Invalid FieldMask '", paths, - "'. Map keys should be at the end of a path segment.")); + return util::InvalidArgumentError(StrCat( + "Invalid FieldMask '", paths, + "'. Map keys should be at the end of a path segment.")); } is_escaping = false; continue; @@ -158,10 +156,9 @@ util::Status DecodeCompactFieldMaskPaths(StringPiece paths, // We are not in a map key, look for the start of one. if (paths[i] == '[') { if (i >= length - 1 || paths[i + 1] != '\"') { - return util::InvalidArgumentError( - StrCat( - "Invalid FieldMask '", paths, - "'. Map keys should be represented as [\"some_key\"].")); + return util::InvalidArgumentError(StrCat( + "Invalid FieldMask '", paths, + "'. Map keys should be represented as [\"some_key\"].")); } // "[\"" starts a map key. in_map_key = true; diff --git a/src/google/protobuf/util/internal/json_stream_parser.cc b/src/google/protobuf/util/internal/json_stream_parser.cc index f38b68a1d2..c3030b5c07 100644 --- a/src/google/protobuf/util/internal/json_stream_parser.cc +++ b/src/google/protobuf/util/internal/json_stream_parser.cc @@ -302,7 +302,8 @@ util::Status JsonStreamParser::RunParser() { break; default: - result = util::InternalError(StrCat("Unknown parse type: ", type)); + result = + util::InternalError(StrCat("Unknown parse type: ", type)); break; } if (!result.ok()) { @@ -872,8 +873,9 @@ util::Status JsonStreamParser::ReportFailure(StringPiece message, StringPiece segment(begin, end - begin); std::string location(p_start - begin, ' '); location.push_back('^'); - return util::InvalidArgumentError( + auto status = util::InvalidArgumentError( StrCat(message, "\n", segment, "\n", location)); + return status; } util::Status JsonStreamParser::ReportUnknown(StringPiece message, @@ -892,9 +894,8 @@ util::Status JsonStreamParser::ReportUnknown(StringPiece message, util::Status JsonStreamParser::IncrementRecursionDepth( StringPiece key) const { if (++recursion_depth_ > max_recursion_depth_) { - return util::InvalidArgumentError( - StrCat("Message too deep. Max recursion depth reached for key '", - key, "'")); + return util::InvalidArgumentError(StrCat( + "Message too deep. Max recursion depth reached for key '", key, "'")); } return util::Status(); } diff --git a/src/google/protobuf/util/internal/protostream_objectsource.cc b/src/google/protobuf/util/internal/protostream_objectsource.cc index b98a14cdb0..3a37d9c5e9 100644 --- a/src/google/protobuf/util/internal/protostream_objectsource.cc +++ b/src/google/protobuf/util/internal/protostream_objectsource.cc @@ -317,8 +317,8 @@ util::Status ProtoStreamObjectSource::RenderTimestamp( int64_t seconds = p.first; int32_t nanos = p.second; if (seconds > kTimestampMaxSeconds || seconds < kTimestampMinSeconds) { - return util::InternalError( - StrCat("Timestamp seconds exceeds limit for field: ", field_name)); + return util::InternalError(StrCat( + "Timestamp seconds exceeds limit for field: ", field_name)); } if (nanos < 0 || nanos >= kNanosPerSecond) { diff --git a/src/google/protobuf/util/internal/protostream_objectwriter.cc b/src/google/protobuf/util/internal/protostream_objectwriter.cc index f9690feb3b..9878826af6 100644 --- a/src/google/protobuf/util/internal/protostream_objectwriter.cc +++ b/src/google/protobuf/util/internal/protostream_objectwriter.cc @@ -1025,9 +1025,8 @@ Status ProtoStreamObjectWriter::RenderTimestamp(ProtoStreamObjectWriter* ow, if (data.type() == DataPiece::TYPE_NULL) return Status(); if (data.type() != DataPiece::TYPE_STRING) { return util::InvalidArgumentError( - StrCat( - "Invalid data type for timestamp, value is ", - data.ValueAsStringOrDefault(""))); + StrCat("Invalid data type for timestamp, value is ", + data.ValueAsStringOrDefault(""))); } StringPiece value(data.str()); @@ -1057,9 +1056,8 @@ Status ProtoStreamObjectWriter::RenderFieldMask(ProtoStreamObjectWriter* ow, if (data.type() == DataPiece::TYPE_NULL) return Status(); if (data.type() != DataPiece::TYPE_STRING) { return util::InvalidArgumentError( - StrCat( - "Invalid data type for field mask, value is ", - data.ValueAsStringOrDefault(""))); + StrCat("Invalid data type for field mask, value is ", + data.ValueAsStringOrDefault(""))); } // TODO(tsun): figure out how to do proto descriptor based snake case @@ -1074,9 +1072,8 @@ Status ProtoStreamObjectWriter::RenderDuration(ProtoStreamObjectWriter* ow, if (data.type() == DataPiece::TYPE_NULL) return Status(); if (data.type() != DataPiece::TYPE_STRING) { return util::InvalidArgumentError( - StrCat( - "Invalid data type for duration, value is ", - data.ValueAsStringOrDefault(""))); + StrCat("Invalid data type for duration, value is ", + data.ValueAsStringOrDefault(""))); } StringPiece value(data.str()); diff --git a/src/google/protobuf/util/json_util.cc b/src/google/protobuf/util/json_util.cc index 2e7b78d039..3597f9e20b 100644 --- a/src/google/protobuf/util/json_util.cc +++ b/src/google/protobuf/util/json_util.cc @@ -154,9 +154,8 @@ class StatusErrorListener : public converter::ErrorListener { void MissingField(const converter::LocationTrackerInterface& loc, StringPiece missing_name) override { - status_ = util::InvalidArgumentError( - StrCat( - GetLocString(loc), ": missing field ", std::string(missing_name))); + status_ = util::InvalidArgumentError(StrCat( + GetLocString(loc), ": missing field ", std::string(missing_name))); } private: diff --git a/src/google/protobuf/util/type_resolver_util.cc b/src/google/protobuf/util/type_resolver_util.cc index 80fe3411d2..c5d4fdf9dd 100644 --- a/src/google/protobuf/util/type_resolver_util.cc +++ b/src/google/protobuf/util/type_resolver_util.cc @@ -80,8 +80,8 @@ class DescriptorPoolTypeResolver : public TypeResolver { const Descriptor* descriptor = pool_->FindMessageTypeByName(type_name); if (descriptor == NULL) { - return util::NotFoundError( - "Invalid type URL, unknown type: " + type_name); + return util::NotFoundError("Invalid type URL, unknown type: " + + type_name); } ConvertDescriptor(descriptor, type); return util::Status(); @@ -97,8 +97,8 @@ class DescriptorPoolTypeResolver : public TypeResolver { const EnumDescriptor* descriptor = pool_->FindEnumTypeByName(type_name); if (descriptor == NULL) { - return util::InvalidArgumentError( - "Invalid type URL, unknown type: " + type_name); + return util::InvalidArgumentError("Invalid type URL, unknown type: " + + type_name); } ConvertEnumDescriptor(descriptor, enum_type); return util::Status();