检查字符串是否包含子字符串

发布于 2024-12-02 18:53:06 字数 86 浏览 1 评论 0原文

如何使用 Perl 检查给定字符串是否包含某个子字符串?

更具体地说,我想查看给定的字符串变量中是否存在 s1.domain.example 。

How can I check whether a given string contains a certain substring, using Perl?

More specifically, I want to see whether s1.domain.example is present in the given string variable.

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(3

孤独岁月 2024-12-09 18:53:06

要查明字符串是否包含子字符串,您可以使用 index 函数:

if (index($str, $substr) != -1) {
    print "$str contains $substr\n";
} 

返回$substr$str中第一次出现的位置,如果没有找到子字符串则返回-1。

To find out if a string contains substring you can use the index function:

if (index($str, $substr) != -1) {
    print "$str contains $substr\n";
} 

It will return the position of the first occurrence of $substr in $str, or -1 if the substring is not found.

温柔少女心 2024-12-09 18:53:06

另一种可能性是使用 正则表达式,这就是 Perl 的著名之处:

if ($mystring =~ /s1\.domain\.example/) {
   print qq("$mystring" contains "s1.domain.example"\n);
}

需要反斜杠是因为. 可以匹配任何字符。您可以使用 \Q\E 运算符来解决此问题。

my $substring = "s1.domain.example";
    if ($mystring =~ /\Q$substring\E/) {
   print qq("$mystring" contains "$substring"\n);
}

或者,您可以按照 eugene y 的说明进行操作,并使用 索引 函数。
只是警告一下:当 Index 找不到匹配项时,它会返回 -1,而不是 undef0

因此,这是一个错误:

my $substring = "s1.domain.example";
if (not index($mystring, $substr)) {
    print qq("$mystring" doesn't contains "$substring"\n";
}

如果 s1.domain.example 位于字符串的开头,这将是错误的。我个人不止一次为此感到恼火。

Another possibility is to use regular expressions which is what Perl is famous for:

if ($mystring =~ /s1\.domain\.example/) {
   print qq("$mystring" contains "s1.domain.example"\n);
}

The backslashes are needed because a . can match any character. You can get around this by using the \Q and \E operators.

my $substring = "s1.domain.example";
    if ($mystring =~ /\Q$substring\E/) {
   print qq("$mystring" contains "$substring"\n);
}

Or, you can do as eugene y stated and use the index function.
Just a word of warning: Index returns a -1 when it can't find a match instead of an undef or 0.

Thus, this is an error:

my $substring = "s1.domain.example";
if (not index($mystring, $substr)) {
    print qq("$mystring" doesn't contains "$substring"\n";
}

This will be wrong if s1.domain.example is at the beginning of your string. I've personally been burned on this more than once.

葬シ愛 2024-12-09 18:53:06

不区分大小写的子字符串示例

这是尤金答案的扩展,它在检查子字符串之前将字符串转换为小写:

if (index(lc($str), lc($substr)) != -1) {
    print "$str contains $substr\n";
} 

Case Insensitive Substring Example

This is an extension of Eugene's answer, which converts the strings to lower case before checking for the substring:

if (index(lc($str), lc($substr)) != -1) {
    print "$str contains $substr\n";
} 
~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文