衡量一个词的可发音性?

2022-08-30 14:19:32

我正在修补域名查找器,并希望喜欢那些易于发音的单词。

示例:nameoic.com(坏)与 namelet.com(好)。

认为与soundex有关的东西可能是合适的,但看起来我不能用它们来产生某种比较分数。

PHP代码获胜。


答案 1

这是一个函数,应该与最常见的单词一起使用...它应该给你一个介于1(根据规则的完美发音)到0之间的好结果。

以下函数远非完美(它不太像海啸[0.857]这样的词)。但是根据您的需求进行调整应该相当容易。

<?php
// Score: 1
echo pronounceability('namelet') . "\n";

// Score: 0.71428571428571
echo pronounceability('nameoic') . "\n";

function pronounceability($word) {
    static $vowels = array
        (
        'a',
        'e',
        'i',
        'o',
        'u',
        'y'
        );

    static $composites = array
        (
        'mm',
        'll',
        'th',
        'ing'
        );

    if (!is_string($word)) return false;

    // Remove non letters and put in lowercase
    $word = preg_replace('/[^a-z]/i', '', $word);
    $word = strtolower($word);

    // Special case
    if ($word == 'a') return 1;

    $len = strlen($word);

    // Let's not parse an empty string
    if ($len == 0) return 0;

    $score = 0;
    $pos = 0;

    while ($pos < $len) {
        // Check if is allowed composites
        foreach ($composites as $comp) {
            $complen = strlen($comp);

            if (($pos + $complen) < $len) {
                $check = substr($word, $pos, $complen);

                if ($check == $comp) {
                    $score += $complen;
                    $pos += $complen;
                    continue 2;
                }
            }
        }

        // Is it a vowel? If so, check if previous wasn't a vowel too.
        if (in_array($word[$pos], $vowels)) {
            if (($pos - 1) >= 0 && !in_array($word[$pos - 1], $vowels)) {
                $score += 1;
                $pos += 1;
                continue;
            }
        } else { // Not a vowel, check if next one is, or if is end of word
            if (($pos + 1) < $len && in_array($word[$pos + 1], $vowels)) {
                $score += 2;
                $pos += 2;
                continue;
            } elseif (($pos + 1) == $len) {
                $score += 1;
                break;
            }
        }

        $pos += 1;
    }

    return $score / $len;
}

答案 2

我认为这个问题可以归结为将单词解析为一组候选音素,然后使用预定的音素对列表来确定单词的发音。

例如:“技能”在语音上是“/s/k/i/l/”。“/s/k/”, “/k/i/”, “/i/l/” 都应该有高分的发音,所以这个词应该得分很高。

“skpit”在语音上是“/s/k/p/i/t/”。“/k/p/”的发音分数应该很低,所以这个词的分数应该很低。


推荐