德尔福检查角色是否在范围内' A' Z' Z'和' 0' ...' 9'

时间:2016-04-29 12:49:14

标签: arrays string delphi range

我需要检查一个字符串是否只包含范围:'A'..'Z', 'a'..'z', '0'..'9'中的字符,所以我写了这个函数:

function GetValueTrat(aValue: string): string;
const
  number = [0 .. 9];
const
  letter = ['a' .. 'z', 'A' .. 'Z'];
var
  i: Integer;
begin

  for i := 1 to length(aValue) do
  begin
    if (not(StrToInt(aValue[i]) in number)) or (not(aValue[i] in letter)) then
      raise Exception.Create('Non valido');
  end;

  Result := aValue.Trim;
end;

但是,例如,aValue = 'Hello' StrToInt函数会引发异常。

1 个答案:

答案 0 :(得分:7)

一组独特的Char可用于您的目的。

function GetValueTrat(const aValue: string): string;
const
  CHARS = ['0'..'9', 'a'..'z', 'A'..'Z'];
var
  i: Integer;
begin
  Result := aValue.Trim;
  for i := 1 to Length(Result) do
  begin
    if not (Result[i] in CHARS) then
      raise Exception.Create('Non valido');
  end;
end;

请注意,在您的函数中,如果aValue包含空格字符(例如'test value '),则会引发异常,因此在Trim之后if的使用无效言。

在我看来,像^[0-9a-zA-Z]这样的正则表达式可以更优雅地解决您的问题。

修改
根据问题的@RBA's commentSystem.Character.TCharHelper.IsLetterOrDigit可以用来代替上述逻辑:

if not Result[i].IsLetterOrDigit then
  raise Exception.Create('Non valido');