在 SQL Server 中的韩语单词(任何 Unicode 单词)中查找韩语字母表(任何 Unicode 字符)的索引

问题描述 投票:0回答:1

我需要按姓名搜索人员。这里的人名可以是英文、韩文或中文。为此我使用

Like
条件在
Name
的基础上进行搜索,如下:

select * from [MyTable] where Name like N'%t%'

以上声明是给所有包含字母

t
的用户。但这不适用于韩语或中文。就像如果我用韩语字母
进行搜索,那么它应该给出包含该字母的所有名称,例如
**정수연, 재훈아이팟, 정원혁 테스트 7**
。我尝试过以下方法,但结果为零

select * from [MyTable] where Name like N'%ㅈ%' - No Results
select PATINDEX(N'%ㅈ%',N'정수연(Mohan)') - giving value as ZERO
select Charindex(N'ㅈ',N'정수연') - giving value as ZERO

有没有办法在SQL Server中查找其他语言的字母表中的字母?

我知道如何通过使用编码技术在 C# 单词中查找其他语言中字母表的存在,但在 SQL Server 中不知道。请在这方面帮助我。

提前致谢。

编辑 C# 代码

public static string DecomposeSyllabels(string unicodeString) {
      try {
        //Consonant consonant only used
        string[] JLT = { "ㄱ", "ㄲ", "ㄴ", "ㄷ", "ㄸ", "ㄹ", "ㅁ", "ㅂ", "ㅃ", "ㅅ", "ㅆ", "ㅇ", "ㅈ", "ㅉ", "ㅊ", "ㅋ", "ㅌ", "ㅍ", "ㅎ" };

        // Only used a collection of neutral
        string[] JVT = { "ㅏ", "ㅐ", "ㅑ", "ㅒ", "ㅓ", "ㅔ", "ㅕ", "ㅖ", "ㅗ", "ㅘ", "ㅙ", "ㅚ", "ㅛ", "ㅜ", "ㅝ", "ㅞ", "ㅟ", "ㅠ", "ㅡ", "ㅢ", "ㅣ" };

        // Initial and coda consonants used in
        string[] JTT = { "", "ㄱ", "ㄲ", "ㄳ", "ㄴ", "ㄵ", "ㄶ", "ㄷ", "ㄹ", "ㄺ", "ㄻ", "ㄼ", "ㄽ", "ㄾ", "ㄿ", "ㅀ", "ㅁ", "ㅂ", "ㅄ", "ㅅ", "ㅆ", "ㅇ", "ㅈ", "ㅊ", "ㅋ", "ㅌ", "ㅍ", "ㅎ" };

        double SBase = 0xAC00;
        long SCount = 11172;
        int TCount = 28;
        int NCount = 588;
        string syllables = string.Empty;

        foreach (char c in unicodeString) {
          double SIndex = (int)c - SBase;
          if (0 > SIndex || SIndex >= SCount) {
            syllables = syllables + c;
            continue;
          }

          int LIndex = (int)Math.Floor(SIndex / NCount);
          int VIndex = (int)(Math.Floor((SIndex % NCount) / TCount));
          int TIndex = (int)(SIndex % TCount);
          syllables = syllables + (JLT[LIndex] + JVT[VIndex] + JTT[TIndex]);
        }

        return syllables;
      }
      catch {
        return unicodeString;
      }
    }
sql-server unicode sql-server-2008-r2 cjk
1个回答
3
投票

您必须分解韩语音节并将它们存储到 SQL 数据库中的单独列中(例如 정수연 的ㅈㅓㅇㅅㅜㅇㅕㄴ)。我建议您编写一个小型自定义应用程序来解析您的数据库,分解所有韩语音节,并将结果保存到单独的列中。

编辑

这里有一些可以分解朝鲜文音节的 Python 代码:

#!/usr/local/bin/python
# -*- coding: utf8 -*-
import codecs, sys, os, math

JLT="ㄱ,ㄲ,ㄴ,ㄷ,ㄸ,ㄹ,ㅁ,ㅂ,ㅃ,ㅅ,ㅆ,ㅇ,ㅈ,ㅉ,ㅊ,ㅋ,ㅌ,ㅍ,ㅎ".split(",")
JTT=",ㄱ,ㄲ,ㄱㅅ,ㄴ,ㄴㅈ,ㄴㅎ,ㄷ,ㄹ,ㄹㄱ,ㄹㅁ,ㄹㅂ,ㄹㅅ,ㄹㅌ,ㄹㅍ,ㄹㅎ,ㅁ,ㅂ,ㅂㅅ,ㅅ,ㅆ,ㅇ,ㅈ,ㅊ,ㅋ,ㅌ,ㅍ,ㅎ".split(",")
JVT="ㅏ,ㅐ,ㅑ,ㅒ,ㅓ,ㅔ,ㅕ,ㅖ,ㅗ,ㅘ,ㅙ,ㅚ,ㅛ,ㅜ,ㅝ,ㅞ,ㅟ,ㅠ,ㅡ,ㅢ,ㅣ".split(",")
SBase=0xAC00
SCount=11172
TCount=28
NCount=588

def HangulName(a):
 b=a.decode('utf8')
 sound=''
 for i in b:
  cp=ord(i)
  SIndex = cp - SBase
  if (0 > SIndex or SIndex >= SCount):
    # "Not a Hangul Syllable"
    pass

  LIndex = int(math.floor(SIndex / NCount))
  VIndex = int(math.floor((SIndex % NCount) / TCount))
  TIndex = int(SIndex % TCount)
  sound=sound+(JLT[LIndex] + JVT[VIndex] + JTT[TIndex]).lower()
 return sound

print HangulName("정수연")

dda$ python 测试.py
ㅈㅓㅇㅅㅜㅇㅕㄴ

© www.soinside.com 2019 - 2024. All rights reserved.