fix flaky ConnectTFOTimeout and ConnectTFOFallbackTimeout tests
[folly.git] / folly / String.h
1 /*
2  * Copyright 2016 Facebook, Inc.
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *   http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 #pragma once
18 #define FOLLY_STRING_H_
19
20 #include <exception>
21 #include <stdarg.h>
22 #include <string>
23 #include <boost/type_traits.hpp>
24 #include <boost/regex/pending/unicode_iterator.hpp>
25
26 #ifdef FOLLY_HAVE_DEPRECATED_ASSOC
27 #ifdef _GLIBCXX_SYMVER
28 #include <ext/hash_set>
29 #include <ext/hash_map>
30 #endif
31 #endif
32
33 #include <unordered_set>
34 #include <unordered_map>
35
36 #include <folly/Conv.h>
37 #include <folly/ExceptionString.h>
38 #include <folly/FBString.h>
39 #include <folly/FBVector.h>
40 #include <folly/Portability.h>
41 #include <folly/Range.h>
42 #include <folly/ScopeGuard.h>
43
44 // Compatibility function, to make sure toStdString(s) can be called
45 // to convert a std::string or fbstring variable s into type std::string
46 // with very little overhead if s was already std::string
47 namespace folly {
48
49 inline
50 std::string toStdString(const folly::fbstring& s) {
51   return std::string(s.data(), s.size());
52 }
53
54 inline
55 const std::string& toStdString(const std::string& s) {
56   return s;
57 }
58
59 // If called with a temporary, the compiler will select this overload instead
60 // of the above, so we don't return a (lvalue) reference to a temporary.
61 inline
62 std::string&& toStdString(std::string&& s) {
63   return std::move(s);
64 }
65
66 /**
67  * C-Escape a string, making it suitable for representation as a C string
68  * literal.  Appends the result to the output string.
69  *
70  * Backslashes all occurrences of backslash and double-quote:
71  *   "  ->  \"
72  *   \  ->  \\
73  *
74  * Replaces all non-printable ASCII characters with backslash-octal
75  * representation:
76  *   <ASCII 254> -> \376
77  *
78  * Note that we use backslash-octal instead of backslash-hex because the octal
79  * representation is guaranteed to consume no more than 3 characters; "\3760"
80  * represents two characters, one with value 254, and one with value 48 ('0'),
81  * whereas "\xfe0" represents only one character (with value 4064, which leads
82  * to implementation-defined behavior).
83  */
84 template <class String>
85 void cEscape(StringPiece str, String& out);
86
87 /**
88  * Similar to cEscape above, but returns the escaped string.
89  */
90 template <class String>
91 String cEscape(StringPiece str) {
92   String out;
93   cEscape(str, out);
94   return out;
95 }
96
97 /**
98  * C-Unescape a string; the opposite of cEscape above.  Appends the result
99  * to the output string.
100  *
101  * Recognizes the standard C escape sequences:
102  *
103  * \' \" \? \\ \a \b \f \n \r \t \v
104  * \[0-7]+
105  * \x[0-9a-fA-F]+
106  *
107  * In strict mode (default), throws std::invalid_argument if it encounters
108  * an unrecognized escape sequence.  In non-strict mode, it leaves
109  * the escape sequence unchanged.
110  */
111 template <class String>
112 void cUnescape(StringPiece str, String& out, bool strict = true);
113
114 /**
115  * Similar to cUnescape above, but returns the escaped string.
116  */
117 template <class String>
118 String cUnescape(StringPiece str, bool strict = true) {
119   String out;
120   cUnescape(str, out, strict);
121   return out;
122 }
123
124 /**
125  * URI-escape a string.  Appends the result to the output string.
126  *
127  * Alphanumeric characters and other characters marked as "unreserved" in RFC
128  * 3986 ( -_.~ ) are left unchanged.  In PATH mode, the forward slash (/) is
129  * also left unchanged.  In QUERY mode, spaces are replaced by '+'.  All other
130  * characters are percent-encoded.
131  */
132 enum class UriEscapeMode : unsigned char {
133   // The values are meaningful, see generate_escape_tables.py
134   ALL = 0,
135   QUERY = 1,
136   PATH = 2
137 };
138 template <class String>
139 void uriEscape(StringPiece str,
140                String& out,
141                UriEscapeMode mode = UriEscapeMode::ALL);
142
143 /**
144  * Similar to uriEscape above, but returns the escaped string.
145  */
146 template <class String>
147 String uriEscape(StringPiece str, UriEscapeMode mode = UriEscapeMode::ALL) {
148   String out;
149   uriEscape(str, out, mode);
150   return out;
151 }
152
153 /**
154  * URI-unescape a string.  Appends the result to the output string.
155  *
156  * In QUERY mode, '+' are replaced by space.  %XX sequences are decoded if
157  * XX is a valid hex sequence, otherwise we throw invalid_argument.
158  */
159 template <class String>
160 void uriUnescape(StringPiece str,
161                  String& out,
162                  UriEscapeMode mode = UriEscapeMode::ALL);
163
164 /**
165  * Similar to uriUnescape above, but returns the unescaped string.
166  */
167 template <class String>
168 String uriUnescape(StringPiece str, UriEscapeMode mode = UriEscapeMode::ALL) {
169   String out;
170   uriUnescape(str, out, mode);
171   return out;
172 }
173
174 /**
175  * stringPrintf is much like printf but deposits its result into a
176  * string. Two signatures are supported: the first simply returns the
177  * resulting string, and the second appends the produced characters to
178  * the specified string and returns a reference to it.
179  */
180 std::string stringPrintf(FOLLY_PRINTF_FORMAT const char* format, ...)
181   FOLLY_PRINTF_FORMAT_ATTR(1, 2);
182
183 /* Similar to stringPrintf, with different signature. */
184 void stringPrintf(std::string* out, FOLLY_PRINTF_FORMAT const char* fmt, ...)
185   FOLLY_PRINTF_FORMAT_ATTR(2, 3);
186
187 std::string& stringAppendf(std::string* output,
188                           FOLLY_PRINTF_FORMAT const char* format, ...)
189   FOLLY_PRINTF_FORMAT_ATTR(2, 3);
190
191 /**
192  * Similar to stringPrintf, but accepts a va_list argument.
193  *
194  * As with vsnprintf() itself, the value of ap is undefined after the call.
195  * These functions do not call va_end() on ap.
196  */
197 std::string stringVPrintf(const char* format, va_list ap);
198 void stringVPrintf(std::string* out, const char* format, va_list ap);
199 std::string& stringVAppendf(std::string* out, const char* format, va_list ap);
200
201 /**
202  * Backslashify a string, that is, replace non-printable characters
203  * with C-style (but NOT C compliant) "\xHH" encoding.  If hex_style
204  * is false, then shorthand notations like "\0" will be used instead
205  * of "\x00" for the most common backslash cases.
206  *
207  * There are two forms, one returning the input string, and one
208  * creating output in the specified output string.
209  *
210  * This is mainly intended for printing to a terminal, so it is not
211  * particularly optimized.
212  *
213  * Do *not* use this in situations where you expect to be able to feed
214  * the string to a C or C++ compiler, as there are nuances with how C
215  * parses such strings that lead to failures.  This is for display
216  * purposed only.  If you want a string you can embed for use in C or
217  * C++, use cEscape instead.  This function is for display purposes
218  * only.
219  */
220 template <class String1, class String2>
221 void backslashify(const String1& input, String2& output, bool hex_style=false);
222
223 template <class String>
224 String backslashify(const String& input, bool hex_style=false) {
225   String output;
226   backslashify(input, output, hex_style);
227   return output;
228 }
229
230 /**
231  * Take a string and "humanify" it -- that is, make it look better.
232  * Since "better" is subjective, caveat emptor.  The basic approach is
233  * to count the number of unprintable characters.  If there are none,
234  * then the output is the input.  If there are relatively few, or if
235  * there is a long "enough" prefix of printable characters, use
236  * backslashify.  If it is mostly binary, then simply hex encode.
237  *
238  * This is an attempt to make a computer smart, and so likely is wrong
239  * most of the time.
240  */
241 template <class String1, class String2>
242 void humanify(const String1& input, String2& output);
243
244 template <class String>
245 String humanify(const String& input) {
246   String output;
247   humanify(input, output);
248   return output;
249 }
250
251 /**
252  * Same functionality as Python's binascii.hexlify.  Returns true
253  * on successful conversion.
254  *
255  * If append_output is true, append data to the output rather than
256  * replace it.
257  */
258 template<class InputString, class OutputString>
259 bool hexlify(const InputString& input, OutputString& output,
260              bool append=false);
261
262 template <class OutputString = std::string>
263 OutputString hexlify(ByteRange input) {
264   OutputString output;
265   if (!hexlify(input, output)) {
266     // hexlify() currently always returns true, so this can't really happen
267     throw std::runtime_error("hexlify failed");
268   }
269   return output;
270 }
271
272 template <class OutputString = std::string>
273 OutputString hexlify(StringPiece input) {
274   return hexlify<OutputString>(ByteRange{input});
275 }
276
277 /**
278  * Same functionality as Python's binascii.unhexlify.  Returns true
279  * on successful conversion.
280  */
281 template<class InputString, class OutputString>
282 bool unhexlify(const InputString& input, OutputString& output);
283
284 template <class OutputString = std::string>
285 OutputString unhexlify(StringPiece input) {
286   OutputString output;
287   if (!unhexlify(input, output)) {
288     // unhexlify() fails if the input has non-hexidecimal characters,
289     // or if it doesn't consist of a whole number of bytes
290     throw std::domain_error("unhexlify() called with non-hex input");
291   }
292   return output;
293 }
294
295 /*
296  * A pretty-printer for numbers that appends suffixes of units of the
297  * given type.  It prints 4 sig-figs of value with the most
298  * appropriate unit.
299  *
300  * If `addSpace' is true, we put a space between the units suffix and
301  * the value.
302  *
303  * Current types are:
304  *   PRETTY_TIME         - s, ms, us, ns, etc.
305  *   PRETTY_BYTES_METRIC - kB, MB, GB, etc (goes up by 10^3 = 1000 each time)
306  *   PRETTY_BYTES        - kB, MB, GB, etc (goes up by 2^10 = 1024 each time)
307  *   PRETTY_BYTES_IEC    - KiB, MiB, GiB, etc
308  *   PRETTY_UNITS_METRIC - k, M, G, etc (goes up by 10^3 = 1000 each time)
309  *   PRETTY_UNITS_BINARY - k, M, G, etc (goes up by 2^10 = 1024 each time)
310  *   PRETTY_UNITS_BINARY_IEC - Ki, Mi, Gi, etc
311  *   PRETTY_SI           - full SI metric prefixes from yocto to Yotta
312  *                         http://en.wikipedia.org/wiki/Metric_prefix
313  * @author Mark Rabkin <mrabkin@fb.com>
314  */
315 enum PrettyType {
316   PRETTY_TIME,
317
318   PRETTY_BYTES_METRIC,
319   PRETTY_BYTES_BINARY,
320   PRETTY_BYTES = PRETTY_BYTES_BINARY,
321   PRETTY_BYTES_BINARY_IEC,
322   PRETTY_BYTES_IEC = PRETTY_BYTES_BINARY_IEC,
323
324   PRETTY_UNITS_METRIC,
325   PRETTY_UNITS_BINARY,
326   PRETTY_UNITS_BINARY_IEC,
327
328   PRETTY_SI,
329   PRETTY_NUM_TYPES,
330 };
331
332 std::string prettyPrint(double val, PrettyType, bool addSpace = true);
333
334 /**
335  * This utility converts StringPiece in pretty format (look above) to double,
336  * with progress information. Alters the  StringPiece parameter
337  * to get rid of the already-parsed characters.
338  * Expects string in form <floating point number> {space}* [<suffix>]
339  * If string is not in correct format, utility finds longest valid prefix and
340  * if there at least one, returns double value based on that prefix and
341  * modifies string to what is left after parsing. Throws and std::range_error
342  * exception if there is no correct parse.
343  * Examples(for PRETTY_UNITS_METRIC):
344  * '10M' => 10 000 000
345  * '10 M' => 10 000 000
346  * '10' => 10
347  * '10 Mx' => 10 000 000, prettyString == "x"
348  * 'abc' => throws std::range_error
349  */
350 double prettyToDouble(folly::StringPiece *const prettyString,
351                       const PrettyType type);
352
353 /*
354  * Same as prettyToDouble(folly::StringPiece*, PrettyType), but
355  * expects whole string to be correctly parseable. Throws std::range_error
356  * otherwise
357  */
358 double prettyToDouble(folly::StringPiece prettyString, const PrettyType type);
359
360 /**
361  * Write a hex dump of size bytes starting at ptr to out.
362  *
363  * The hex dump is formatted as follows:
364  *
365  * for the string "abcdefghijklmnopqrstuvwxyz\x02"
366 00000000  61 62 63 64 65 66 67 68  69 6a 6b 6c 6d 6e 6f 70  |abcdefghijklmnop|
367 00000010  71 72 73 74 75 76 77 78  79 7a 02                 |qrstuvwxyz.     |
368  *
369  * that is, we write 16 bytes per line, both as hex bytes and as printable
370  * characters.  Non-printable characters are replaced with '.'
371  * Lines are written to out one by one (one StringPiece at a time) without
372  * delimiters.
373  */
374 template <class OutIt>
375 void hexDump(const void* ptr, size_t size, OutIt out);
376
377 /**
378  * Return the hex dump of size bytes starting at ptr as a string.
379  */
380 std::string hexDump(const void* ptr, size_t size);
381
382 /**
383  * Return a fbstring containing the description of the given errno value.
384  * Takes care not to overwrite the actual system errno, so calling
385  * errnoStr(errno) is valid.
386  */
387 fbstring errnoStr(int err);
388
389 /*
390  * Split a string into a list of tokens by delimiter.
391  *
392  * The split interface here supports different output types, selected
393  * at compile time: StringPiece, fbstring, or std::string.  If you are
394  * using a vector to hold the output, it detects the type based on
395  * what your vector contains.  If the output vector is not empty, split
396  * will append to the end of the vector.
397  *
398  * You can also use splitTo() to write the output to an arbitrary
399  * OutputIterator (e.g. std::inserter() on a std::set<>), in which
400  * case you have to tell the function the type.  (Rationale:
401  * OutputIterators don't have a value_type, so we can't detect the
402  * type in splitTo without being told.)
403  *
404  * Examples:
405  *
406  *   std::vector<folly::StringPiece> v;
407  *   folly::split(":", "asd:bsd", v);
408  *
409  *   std::set<StringPiece> s;
410  *   folly::splitTo<StringPiece>(":", "asd:bsd:asd:csd",
411  *    std::inserter(s, s.begin()));
412  *
413  * Split also takes a flag (ignoreEmpty) that indicates whether adjacent
414  * delimiters should be treated as one single separator (ignoring empty tokens)
415  * or not (generating empty tokens).
416  */
417
418 template<class Delim, class String, class OutputType>
419 void split(const Delim& delimiter,
420            const String& input,
421            std::vector<OutputType>& out,
422            const bool ignoreEmpty = false);
423
424 template<class Delim, class String, class OutputType>
425 void split(const Delim& delimiter,
426            const String& input,
427            folly::fbvector<OutputType>& out,
428            const bool ignoreEmpty = false);
429
430 template<class OutputValueType, class Delim, class String,
431          class OutputIterator>
432 void splitTo(const Delim& delimiter,
433              const String& input,
434              OutputIterator out,
435              const bool ignoreEmpty = false);
436
437 /*
438  * Split a string into a fixed number of string pieces and/or numeric types
439  * by delimiter. Conversions are supported for any type which folly:to<> can
440  * target, including all overloads of parseTo(). Returns 'true' if the fields
441  * were all successfully populated.  Returns 'false' if there were too few
442  * fields in the input, or too many fields if exact=true.  Casting exceptions
443  * will not be caught.
444  *
445  * Examples:
446  *
447  *  folly::StringPiece name, key, value;
448  *  if (folly::split('\t', line, name, key, value))
449  *    ...
450  *
451  *  folly::StringPiece name;
452  *  double value;
453  *  int id;
454  *  if (folly::split('\t', line, name, value, id))
455  *    ...
456  *
457  * The 'exact' template parameter specifies how the function behaves when too
458  * many fields are present in the input string. When 'exact' is set to its
459  * default value of 'true', a call to split will fail if the number of fields in
460  * the input string does not exactly match the number of output parameters
461  * passed. If 'exact' is overridden to 'false', all remaining fields will be
462  * stored, unsplit, in the last field, as shown below:
463  *
464  *  folly::StringPiece x, y.
465  *  if (folly::split<false>(':', "a:b:c", x, y))
466  *    assert(x == "a" && y == "b:c");
467  *
468  * Note that this will likely not work if the last field's target is of numeric
469  * type, in which case folly::to<> will throw an exception.
470  */
471 template <class T, class Enable = void>
472 struct IsSomeVector {
473   enum { value = false };
474 };
475
476 template <class T>
477 struct IsSomeVector<std::vector<T>, void> {
478   enum { value = true };
479 };
480
481 template <class T>
482 struct IsSomeVector<fbvector<T>, void> {
483   enum { value = true };
484 };
485
486 template <class T, class Enable = void>
487 struct IsConvertible {
488   enum { value = false };
489 };
490
491 template <class T>
492 struct IsConvertible<
493     T,
494     decltype(parseTo(std::declval<folly::StringPiece>(), std::declval<T&>()))> {
495   enum { value = true };
496 };
497
498 template <class... Types>
499 struct AllConvertible;
500
501 template <class Head, class... Tail>
502 struct AllConvertible<Head, Tail...> {
503   enum { value = IsConvertible<Head>::value && AllConvertible<Tail...>::value };
504 };
505
506 template <>
507 struct AllConvertible<> {
508   enum { value = true };
509 };
510
511 static_assert(AllConvertible<float>::value, "");
512 static_assert(AllConvertible<int>::value, "");
513 static_assert(AllConvertible<bool>::value, "");
514 static_assert(AllConvertible<int>::value, "");
515 static_assert(!AllConvertible<std::vector<int>>::value, "");
516
517 template <bool exact = true, class Delim, class... OutputTypes>
518 typename std::enable_if<
519     AllConvertible<OutputTypes...>::value && sizeof...(OutputTypes) >= 1,
520     bool>::type
521 split(const Delim& delimiter, StringPiece input, OutputTypes&... outputs);
522
523 /*
524  * Join list of tokens.
525  *
526  * Stores a string representation of tokens in the same order with
527  * deliminer between each element.
528  */
529
530 template <class Delim, class Iterator, class String>
531 void join(const Delim& delimiter,
532           Iterator begin,
533           Iterator end,
534           String& output);
535
536 template <class Delim, class Container, class String>
537 void join(const Delim& delimiter,
538           const Container& container,
539           String& output) {
540   join(delimiter, container.begin(), container.end(), output);
541 }
542
543 template <class Delim, class Value, class String>
544 void join(const Delim& delimiter,
545           const std::initializer_list<Value>& values,
546           String& output) {
547   join(delimiter, values.begin(), values.end(), output);
548 }
549
550 template <class Delim, class Container>
551 std::string join(const Delim& delimiter,
552                  const Container& container) {
553   std::string output;
554   join(delimiter, container.begin(), container.end(), output);
555   return output;
556 }
557
558 template <class Delim, class Value>
559 std::string join(const Delim& delimiter,
560                  const std::initializer_list<Value>& values) {
561   std::string output;
562   join(delimiter, values.begin(), values.end(), output);
563   return output;
564 }
565
566 template <class Delim,
567           class Iterator,
568           typename std::enable_if<std::is_same<
569               typename std::iterator_traits<Iterator>::iterator_category,
570               std::random_access_iterator_tag>::value>::type* = nullptr>
571 std::string join(const Delim& delimiter, Iterator begin, Iterator end) {
572   std::string output;
573   join(delimiter, begin, end, output);
574   return output;
575 }
576
577 /**
578  * Returns a subpiece with all whitespace removed from the front of @sp.
579  * Whitespace means any of [' ', '\n', '\r', '\t'].
580  */
581 StringPiece ltrimWhitespace(StringPiece sp);
582
583 /**
584  * Returns a subpiece with all whitespace removed from the back of @sp.
585  * Whitespace means any of [' ', '\n', '\r', '\t'].
586  */
587 StringPiece rtrimWhitespace(StringPiece sp);
588
589 /**
590  * Returns a subpiece with all whitespace removed from the back and front of @sp.
591  * Whitespace means any of [' ', '\n', '\r', '\t'].
592  */
593 inline StringPiece trimWhitespace(StringPiece sp) {
594   return ltrimWhitespace(rtrimWhitespace(sp));
595 }
596
597 /**
598  * Returns a subpiece with all whitespace removed from the front of @sp.
599  * Whitespace means any of [' ', '\n', '\r', '\t'].
600  * DEPRECATED: @see ltrimWhitespace @see rtrimWhitespace
601  */
602 inline StringPiece skipWhitespace(StringPiece sp) {
603   return ltrimWhitespace(sp);
604 }
605
606 /**
607  *  Strips the leading and the trailing whitespace-only lines. Then looks for
608  *  the least indented non-whitespace-only line and removes its amount of
609  *  leading whitespace from every line. Assumes leading whitespace is either all
610  *  spaces or all tabs.
611  *
612  *  Purpose: including a multiline string literal in source code, indented to
613  *  the level expected from context.
614  */
615 std::string stripLeftMargin(std::string s);
616
617 /**
618  * Fast, in-place lowercasing of ASCII alphabetic characters in strings.
619  * Leaves all other characters unchanged, including those with the 0x80
620  * bit set.
621  * @param str String to convert
622  * @param len Length of str, in bytes
623  */
624 void toLowerAscii(char* str, size_t length);
625
626 inline void toLowerAscii(MutableStringPiece str) {
627   toLowerAscii(str.begin(), str.size());
628 }
629
630 template <class Iterator = const char*,
631           class Base = folly::Range<boost::u8_to_u32_iterator<Iterator>>>
632 class UTF8Range : public Base {
633  public:
634   /* implicit */ UTF8Range(const folly::Range<Iterator> baseRange)
635       : Base(boost::u8_to_u32_iterator<Iterator>(
636                  baseRange.begin(), baseRange.begin(), baseRange.end()),
637              boost::u8_to_u32_iterator<Iterator>(
638                  baseRange.end(), baseRange.begin(), baseRange.end())) {}
639   /* implicit */ UTF8Range(const std::string& baseString)
640       : Base(folly::Range<Iterator>(baseString)) {}
641 };
642
643 using UTF8StringPiece = UTF8Range<const char*>;
644
645 } // namespace folly
646
647 // Hook into boost's type traits
648 namespace boost {
649 template <class T>
650 struct has_nothrow_constructor<folly::basic_fbstring<T> > : true_type {
651   enum { value = true };
652 };
653 } // namespace boost
654
655 #include <folly/String-inl.h>