1

模仿 C 中存在的否定扫描集的方法是什么?

对于示例输入字符串:aaaa, bbbb

在使用中:

fmt.Sscanf(input, "%s, %s", &str1, &str2)

结果仅str1设置为:aaaa,

在 C 中可以使用格式字符串"%[^,], %s"来避免这个问题,有没有办法在 go 中完成这个?

4

2 回答 2

2

Go 不像 C 那样直接支持这一点,部分原因是您应该阅读一行并使用类似strings.FieldsFunc. 但这自然是一个非常简单的观点。对于以同类方式格式化的数据,您可以使用bufio.Scanner基本上对任何io.Reader. 但是,如果您必须处理类似这种格式的内容:

// Name; email@domain
//
// Anything other than ';' is valid for name.
// Anything before '@' is valid for email.
// For domain, only A-Z, a-z, and 0-9, as well as '-' and '.' are valid.
sscanf("%[^;]; %[^@]@%[-." ALNUM "]", name, email, domain);

那么你会遇到麻烦,因为你现在正在处理一个特定的状态。在这种情况下,您可能更喜欢使用bufio.Reader手动解析事物。还有实施的选项fmt.Scanner。下面是一些示例代码,让您了解实现它的容易程度fmt.Scanner

// Scanset acts as a filter when scanning strings.
// The zero value of a Scanset will discard all non-whitespace characters.
type Scanset struct {
    ps        *string
    delimFunc func(rune) bool
}

// Create a new Scanset to filter delimiter characters.
// Once f(delimChar) returns false, scanning will end.
// If s is nil, characters for which f(delimChar) returns true are discarded.
// If f is nil, !unicode.IsSpace(delimChar) is used
// (i.e. read until unicode.IsSpace(delimChar) returns true).
func NewScanset(s *string, f func(r rune) bool) *Scanset {
    return &Scanset{
        ps:        s,
        delimFunc: f,
    }
}

// Scan implements the fmt.Scanner interface for the Scanset type.
func (s *Scanset) Scan(state fmt.ScanState, verb rune) error {
    if verb != 'v' && verb != 's' {
        return errors.New("scansets only work with %v and %s verbs")
    }
    tok, err := state.Token(false, s.delimFunc)
    if err != nil {
        return err
    }
    if s.ps != nil {
        *s.ps = string(tok)
    }
    return nil
}

游乐场示例

这不是 C 的扫描集,但它足够接近。如前所述,您无论如何都应该验证您的数据,即使是格式化的输入,因为格式化缺少上下文(并且在处理格式化时添加它违反了 KISS 原则并降低了代码的可读性)。

例如,像这样的短正则表达式[A-Za-z]([A-Za-z0-9-]?.)[A-Za-z0-9]不足以验证域名,而简单的扫描集就相当于[A-Za-z0-9.-]. 然而,扫描集足以扫描文件或您可能正在使用的任何其他阅读器中的字符串,但仅验证字符串是不够的。为此,正则表达式甚至适当的库将是一个更好的选择。

于 2017-06-04T04:02:07.133 回答
1

你总是可以使用正则表达式;

re := regexp.MustCompile(`(\w+), (\w+)`)
input := "aaaa, bbbb"
fmt.Printf("%#v\n", re.FindStringSubmatch(input))
// Prints []string{"aaaa, bbbb", "aaaa", "bbbb"}
于 2017-06-03T18:23:21.147 回答