基于结构 vector 中所有结构的每个 vector 中的第一个单词,按字母顺序对结构 vector 进行排序的最佳方法是什么?

struct sentence{
    vector<string> words;
};

vector<sentence> allSentences;

换句话说,如何根据单词[0]对allSentences进行排序?

编辑:我使用以下解决方案:
bool cmp(const sentence& lhs, const sentence & rhs)
{
  return lhs.words[0] < rhs.words[0];
}

std::sort(allSentences.begin(), allSentences.end(), cmp);

最佳答案

提供合适的比较二进制函数并将其传递给std::sort。例如

bool cmp(const sentence& lhs, const sentence & rhs)
{
  return lhs.words[0] < rhs.words[0];
}

然后
std::sort(allSentences.begin(), allSentences.end(), cmp);

另外,在C++ 11中,您可以使用lambda匿名函数
std::sort(allSentences.begin(), allSentences.end(),
          [](const sentence& lhs, const sentence & rhs) {
                     return lhs.words[0] < rhs.words[0];}
         );

10-05 18:00