在 C++ 中查找 char* 数组中的 char* 元素
Find char* element in array of char* in C++
我正在尝试编写在 char*
数组中搜索 char *
元素的函数,并且该函数开始检查该元素,如果该元素存在于数组中,我将得到 "found",如果不是,它应该是 "inserted" 和添加到数组的元素。
我写了这段代码,但我不知道如何尝试,程序总是给我异常,我该怎么做才能检查我的指针数组中的元素?
void checkFunction(char*myArray[], char *element,bool flag)
{
for (int i = 0; i < strlen(*myArray) ; ++i)
{
if (myArray[i] == element)
{
flag = true;
}
}
*myArray = element;
flag = false;
if (flag)
{
cout << "Found" << endl;
}
else
{
cout << "Inserted" << endl;
}
}
关于您的函数的一些评论:
1.Why 是否需要第三个参数 bool flag
,而不是将其作为局部变量?
2.If 你想扩展一个数组你应该将旧的复制到新分配的,然后添加新的元素,你不能只做:*myArray = element;
3.If 你想遍历数组长度/大小,而不是:
for (int i = 0; i < strlen(*myArray) ; ++i)
向您的函数传递一个附加参数,指示数组中元素的数量。
使用 std::string
和 std::vector
你可以这样做:
void check_insert (std::vector<std::string>& v, std::string& c) {
for (auto i = 0; i < v.size(); ++i) {
if (v[i] == c) {
std::cout << "Found!\n";
return;
}
}
v.push_back(c);
std::cout << "Inserted!\n";
}
C++ 方式
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
int main(int argc, const char * argv[]) {
vector<string> myStrings { "One", "Two", "Three" };
// std::find() finds the first element that matches a value
auto it = find(begin(myStrings), end(myStrings), "Twooo");
if (it != end(myStrings)) {
cout << "We found this string; do something..." << endl;
}
}
我正在尝试编写在 char*
数组中搜索 char *
元素的函数,并且该函数开始检查该元素,如果该元素存在于数组中,我将得到 "found",如果不是,它应该是 "inserted" 和添加到数组的元素。
我写了这段代码,但我不知道如何尝试,程序总是给我异常,我该怎么做才能检查我的指针数组中的元素?
void checkFunction(char*myArray[], char *element,bool flag)
{
for (int i = 0; i < strlen(*myArray) ; ++i)
{
if (myArray[i] == element)
{
flag = true;
}
}
*myArray = element;
flag = false;
if (flag)
{
cout << "Found" << endl;
}
else
{
cout << "Inserted" << endl;
}
}
关于您的函数的一些评论:
1.Why 是否需要第三个参数 bool flag
,而不是将其作为局部变量?
2.If 你想扩展一个数组你应该将旧的复制到新分配的,然后添加新的元素,你不能只做:*myArray = element;
3.If 你想遍历数组长度/大小,而不是:
for (int i = 0; i < strlen(*myArray) ; ++i)
向您的函数传递一个附加参数,指示数组中元素的数量。
使用 std::string
和 std::vector
你可以这样做:
void check_insert (std::vector<std::string>& v, std::string& c) {
for (auto i = 0; i < v.size(); ++i) {
if (v[i] == c) {
std::cout << "Found!\n";
return;
}
}
v.push_back(c);
std::cout << "Inserted!\n";
}
C++ 方式
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
int main(int argc, const char * argv[]) {
vector<string> myStrings { "One", "Two", "Three" };
// std::find() finds the first element that matches a value
auto it = find(begin(myStrings), end(myStrings), "Twooo");
if (it != end(myStrings)) {
cout << "We found this string; do something..." << endl;
}
}