You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

161 lines
2.8 KiB

/*
* Copyright (c) 2018-present, Facebook, Inc.
*
* This source code is licensed under the MIT license found in the
* LICENSE file in the root directory of this source tree.
*/
#include <string>
char last_char1_Bad(char* s, int i) {
char buf[1024];
int n = snprintf(buf, sizeof(buf), "%s%d", s, i);
return buf[n - 1];
}
char last_char1_Good(char* s, int i) {
char buf[1024];
int n = snprintf(buf, sizeof(buf), "%s%d", s, i);
if (n > 0 && n <= sizeof(buf)) {
return buf[n - 1];
} else {
return '\0';
}
}
char last_char2_Bad(const char* fmt, ...) {
char buf[1024];
va_list args;
va_start(args, fmt);
int n = vsnprintf(buf, sizeof(buf), fmt, args);
va_end(args);
return buf[n - 1];
}
std::string to_string1_Bad(char* s, int i) {
char buf[1024];
int n = snprintf(buf, sizeof(buf), "%s%d", s, i);
return std::string(buf, n);
}
std::string to_string1_Good(char* s, int i) {
char buf[1024];
int n = snprintf(buf, sizeof(buf), "%s%d", s, i);
if (n < 0) {
return NULL;
} else if (n > sizeof(buf)) {
n = sizeof(buf);
}
return std::string(buf, n);
}
std::string to_string2_Bad(const char* fmt, ...) {
char buf[1024];
va_list args;
va_start(args, fmt);
int n = vsnprintf(buf, sizeof(buf), fmt, args);
va_end(args);
return std::string(buf, n);
}
std::string to_string2_Good(const char* fmt, ...) {
char buf[1024];
va_list args;
va_start(args, fmt);
int n = vsnprintf(buf, sizeof(buf), fmt, args);
va_end(args);
if (n < 0) {
return NULL;
} else if (n > sizeof(buf)) {
n = sizeof(buf);
}
return std::string(buf, n);
}
void empty_Good(std::string s) {
if (s.empty()) {
if (!s.empty()) {
int a[10];
a[10] = 0;
}
}
}
void empty_Bad(std::string s) {
if (s.empty()) {
int a[10];
a[10] = 0;
}
}
void length_Good() {
std::string s("hello");
int a[10];
a[s.length()] = 0;
}
void length_Bad() {
std::string s("hellohello");
int a[10];
a[s.length()] = 0;
}
void length2_Good() {
const char* c = "hello";
std::string s(c);
int a[10];
a[s.length()] = 0;
}
void length2_Bad() {
const char* c = "hellohello";
std::string s(c);
int a[10];
a[s.length()] = 0;
}
void length3_Good() {
char* c = "hello";
std::string s(c);
int a[10];
a[s.length()] = 0;
}
void length3_Bad() {
char* c = "hellohello";
std::string s(c);
int a[10];
a[s.length()] = 0;
}
void length4(char* c) {
std::string s(c);
int a[10];
a[s.length()] = 0;
}
void call_length4_1_Good() {
char* c = "hello";
length4(c);
}
void call_length4_1_Bad() {
char* c = "hellohello";
length4(c);
}
void call_length4_2_Good() { length4("hello"); }
void call_length4_2_Bad_FN() { length4("hellohello"); }
void size_Good() {
std::string s("hello");
int a[10];
a[s.size()] = 0;
}
void size_Bad() {
std::string s("hellohello");
int a[10];
a[s.size()] = 0;
}