CAST e Isnumérico

Por que a seguinte consulta retornaria "erro convertendo o tipo de dados varchar para bigint"? O IsNumeric não torna o elenco seguro? Eu tentei todos os tipos de dados numéricos no elenco e obter o mesmo "erro de conversão"..." erro. Eu não acredito que o tamanho do número resultante é um problema porque o excesso é um erro diferente.

O interessante é que, no estúdio de gestão, os resultados aparecem na área de resultados por um segundo antes do erro chegar. volta.

SELECT CAST(myVarcharColumn AS bigint)  
FROM myTable  
WHERE IsNumeric(myVarcharColumn) = 1 AND myVarcharColumn IS NOT NULL  
GROUP BY myVarcharColumn

alguma ideia?

Author: Aaron Bertrand, 2008-12-03

11 answers

O Isnumérico devolve 1 Se o valor varchar puder ser convertido para qualquer tipo de número. Isto inclui int, bigint, decimal, numérico, real & float.

A notação científica pode estar a causar-te um problema. Por exemplo:
Declare @Temp Table(Data VarChar(20))

Insert Into @Temp Values(NULL)
Insert Into @Temp Values('1')
Insert Into @Temp Values('1e4')
Insert Into @Temp Values('Not a number')

Select Cast(Data as bigint)
From   @Temp
Where  IsNumeric(Data) = 1 And Data Is Not NULL

Há um truque que pode usar com Isnumérico para que ele retorne 0 para números com notação científica. Você pode aplicar um truque semelhante para evitar valores decimais.

Isnumérico (your column + 'e0')

Isnumérico (Your Column + '.0e0')

Experimenta.
SELECT CAST(myVarcharColumn AS bigint)
FROM myTable
WHERE IsNumeric(myVarcharColumn + '.0e0') = 1 AND myVarcharColumn IS NOT NULL
GROUP BY myVarcharColumn
 53
Author: G Mastros, 2008-12-03 18:02:26

Antecedentes:

Uso uma base de dados de terceiros que recebe constantemente novos dados de outros fornecedores de terceiros.
O meu trabalho é analisar um campo varchar horrendo usado para armazenar resultados.
Queremos analisar o máximo de dados possível, e esta solução mostra como você pode "limpar" os dados para que entradas válidas não sejam negligenciadas.
    Alguns resultados são grátis.
  1. alguns são enumerações (Sim, Não, Azul, preto, etc..).
  2. alguns são Inteiro.
  3. outros usam casas decimais.
  4. Muitos são porcentagens, que se convertidas para um inteiro pode tropeçar em você mais tarde.

Se precisar de consultar um determinado intervalo decimal (digamos -1.4 a 3.6, se aplicável), as minhas opções são limitadas.
Atualizei a minha pesquisa abaixo para usar a sugestão @GMastros para adicionar 'e0'.
Obrigado @GMastros, isso me poupou mais 2 linhas de lógica.

Solução:

--NOTE: I'd recommend you use this to convert your numbers and store them in a separate table (or field).
--      This way you may reuse them when when working with legacy/3rd-party systems, instead of running these calculations on the fly each time.
SELECT Result.Type, Result.Value, Parsed.CleanValue, Converted.Number[Number - Decimal(38,4)],
       (CASE WHEN Result.Value IN ('0', '1', 'True', 'False') THEN CAST(Result.Value as Bit) ELSE NULL END)[Bit],--Cannot convert 1.0 to Bit, it must be in Integer format already.
       (CASE WHEN Converted.Number BETWEEN 0 AND 255 THEN CAST(Converted.Number as TinyInt) ELSE NULL END)[TinyInt],
       (CASE WHEN Converted.Number BETWEEN -32768 AND 32767 AND Result.Value LIKE '%\%%' ESCAPE '\' THEN CAST(Converted.Number / 100.0 as Decimal(9,4)) ELSE NULL END)[Percent],
       (CASE WHEN Converted.Number BETWEEN -32768 AND 32767 THEN CAST(Converted.Number as SmallInt) ELSE NULL END)[SmallInt],
       (CASE WHEN Converted.Number BETWEEN -214748.3648 AND 214748.3647 THEN CAST(Converted.Number as SmallMoney) ELSE NULL END)[SmallMoney],
       (CASE WHEN Converted.Number BETWEEN -2147483648 AND 2147483647 THEN CAST(Converted.Number as Int) ELSE NULL END)[Int],
       (CASE WHEN Converted.Number BETWEEN -2147483648 AND 2147483647 THEN CAST(CAST(Converted.Number as Decimal(10)) as Int) ELSE NULL END)[RoundInt],--Round Up or Down instead of Truncate.
       (CASE WHEN Converted.Number BETWEEN -922337203685477.5808 AND 922337203685477.5807 THEN CAST(Converted.Number as Money) ELSE NULL END)[Money],
       (CASE WHEN Converted.Number BETWEEN -9223372036854775808 AND 9223372036854775807 THEN CAST(Converted.Number as BigInt) ELSE NULL END)[BigInt],
       (CASE WHEN Parsed.CleanValue IN ('1', 'True', 'Yes', 'Y', 'Positive', 'Normal')   THEN CAST(1 as Bit)
             WHEN Parsed.CleanValue IN ('0', 'False', 'No', 'N', 'Negative', 'Abnormal') THEN CAST(0 as Bit) ELSE NULL END)[Enum],
       --I couln't use just Parsed.CleanValue LIKE '%e%' here because that would match on "True" and "Negative", so I also had to match on only allowable characters. - 02/13/2014 - MCR.
       (CASE WHEN ISNUMERIC(Parsed.CleanValue) = 1 AND Parsed.CleanValue LIKE '%e%' THEN Parsed.CleanValue ELSE NULL END)[Exponent]
  FROM
  (
    VALUES ('Null', NULL), ('EmptyString', ''), ('Spaces', ' - 2 . 8 % '),--Tabs and spaces mess up IsNumeric().
           ('Bit', '0'), ('TinyInt', '123'), ('Int', '123456789'), ('BigInt', '1234567890123456'),
           --('VeryLong', '12345678901234567890.1234567890'),
           ('VeryBig', '-1234567890123456789012345678901234.5678'),
           ('TooBig',  '-12345678901234567890123456789012345678.'),--34 (38-4) is the Longest length of an Integer supported by this query.
           ('VeryLong', '-1.2345678901234567890123456789012345678'),
           ('TooLong', '-12345678901234567890.1234567890123456789'),--38 Digits is the Longest length of a Number supported by the Decimal data type.
           ('VeryLong', '000000000000000000000000000000000000001.0000000000000000000000000000000000000'),--Works because Casting ignores leading zeroes.
           ('TooLong', '.000000000000000000000000000000000000000'),--Exceeds the 38 Digit limit for all Decimal types after the decimal-point.
           --Dot(.), Plus(+), Minus(-), Comma(,), DollarSign($), BackSlash(\), Tab(0x09), and Letter-E(e) all yeild false-posotives with IsNumeric().
           ('Decimal', '.'), ('Decimal', '.0'), ('Decimal', '3.99'),
           ('Positive', '+'), ('Positive', '+20'),
           ('Negative', '-'), ('Negative', '-45'), ('Negative', '- 1.23'),
           ('Comma', ','), ('Comma', '1,000'),
           ('Money', '$'), ('Money', '$10'),
           ('Percent', '%'), ('Percent', '110%'),--IsNumeric will kick out Percent(%) signs.
           ('BkSlash', '\'), ('Tab', CHAR(0x09)),--I've actually seen tab characters in our data.
           ('Exponent', 'e0'), ('Exponent', '100e-999'),--No SQL-Server datatype could hold this number, though it is real.
           ('Enum', 'True'), ('Enum', 'Negative')
  ) AS Result(Type, Value)--O is for Observation.
  CROSS APPLY
  ( --This Step is Optional.  If you have Very Long numbers with tons of leading zeros, then this is useful.  Otherwise is overkill if all the numbers you want have 38 or less digits.
    --Casting of trailing zeros count towards the max 38 digits Decimal can handle, yet Cast ignores leading-zeros.  This also cleans up leading/trailing spaces. - 02/25/2014 - MCR.
    SELECT LTRIM(RTRIM(SUBSTRING(Result.Value, PATINDEX('%[^0]%', Result.Value + '.'), LEN(Result.Value))))[Value]
  ) AS Trimmed
  CROSS APPLY
  (
    SELECT --You will need to filter out other Non-Keyboard ASCII characters (before Space(0x20) and after Lower-Case-z(0x7A)) if you still want them to be Cast as Numbers. - 02/15/2014 - MCR.
           REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(REPLACE(Trimmed.Value,--LTRIM(RTRIM(Result.Value)),
           (CHAR(0x0D) + CHAR(0x0A)), ''),--Believe it or not, we have people that press carriage return after entering in the value.
           CHAR(0x09), ''),--Apparently, as people tab through controls on a page, some of them inadvertently entered Tab's for values.
           ' ', ''),--By replacing spaces for values (like '- 2' to work), you open the door to values like '00 12 3' - your choice.
           '$', ''), ',', ''), '+', ''), '%', ''), '/', '')[CleanValue]
  ) AS Parsed--P is for Parsed.
  CROSS APPLY
  ( --NOTE: I do not like my Cross-Applies to feed into each other.
    --      I'm paranoid it might affect performance, but you may move this into the select above if you like. - 02/13/2014 - MCR.
    SELECT (CASE WHEN ISNUMERIC(Parsed.CleanValue + 'e0') = 1--By concatenating 'e0', I do not need to check for: Parsed.CleanValue NOT LIKE '%e%' AND Parsed.CleanValue NOT IN ('.', '-')
                 --  If you never plan to work with big numbers, then could use Decimal(19,4) would be best as it only uses 9 storage bytes compared to the 17 bytes that 38 precision requires.
                 --  This might help with performance, especially when converting a lot of data.
                  AND CHARINDEX('.', REPLACE(Parsed.CleanValue, '-', '')) - 1    <= (38-4)--This is the Longest Integer supported by Decimal(38,4)).
                  AND LEN(REPLACE(REPLACE(Parsed.CleanValue, '-', ''), '.', '')) <= 38--When casting to a Decimal (of any Precision) you cannot exceed 38 Digits. - 02/13/2014 - MCR.
                 THEN CAST(Parsed.CleanValue as Decimal(38,4))--Scale of 4 used is the max that Money has.  This is the biggest number SQL Server can hold.
                 ELSE NULL END)[Number]
  ) AS Converted--C is for Converted.

Resultado:

A imagem abaixo foi formatada e cortada para caber no StackOverflow.
Os resultados reais têm mais colunas. MikeTeeVee's IsNumeric Casting

Investigação:

Ao lado de cada consulta está o resultado.
É interessante ver as deficiências de IsNumeric, bem como as limitações de CASTing.
Eu mostro isso para que você possa ver a pesquisa de fundo que foi para escrever a consulta acima.
É importante entender cada decisão de design (no caso de você estar pensando em cortar qualquer coisa para fora).

SELECT ISNUMERIC('')--0.  This is understandable, but your logic may want to default these to zero.
SELECT ISNUMERIC(' ')--0.  This is understandable, but your logic may want to default these to zero.
SELECT ISNUMERIC('%')--0.
SELECT ISNUMERIC('1%')--0.
SELECT ISNUMERIC('e')--0.
SELECT ISNUMERIC('  ')--1.  --Tab.
SELECT ISNUMERIC(CHAR(0x09))--1.  --Tab.
SELECT ISNUMERIC(',')--1.
SELECT ISNUMERIC('.')--1.
SELECT ISNUMERIC('-')--1.
SELECT ISNUMERIC('+')--1.
SELECT ISNUMERIC('$')--1.
SELECT ISNUMERIC('\')--1.  '
SELECT ISNUMERIC('e0')--1.
SELECT ISNUMERIC('100e-999')--1.  No SQL-Server datatype could hold this number, though it is real.
SELECT ISNUMERIC('3000000000')--1.  This is bigger than what an Int could hold, so code for these too.
SELECT ISNUMERIC('1234567890123456789012345678901234567890')--1.  Note: This is larger than what the biggest Decimal(38) can hold.
SELECT ISNUMERIC('- 1')--1.
SELECT ISNUMERIC('  1  ')--1.
SELECT ISNUMERIC('True')--0.
SELECT ISNUMERIC('1/2')--0.  No love for fractions.

SELECT CAST('e0'  as Int)--0.  Surpise!  Casting to Decimal errors, but for Int is gives us zero, which is wrong.
SELECT CAST('0e0'  as Int)--0.  Surpise!  Casting to Decimal errors, but for Int is gives us zero, which is wrong.
SELECT CAST(CHAR(0x09) as Decimal(12,2))--Error converting data type varchar to numeric.  --Tab.
SELECT CAST('   1' as Decimal(12,2))--Error converting data type varchar to numeric.  --Tab.
SELECT CAST(REPLACE('   1', CHAR(0x09), '') as Decimal(12,2))--Error converting data type varchar to numeric.  --Tab.
SELECT CAST(''  as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST(''  as Int)--0.  Surpise!  Casting to Decimal errors, but for Int is gives us zero, which is wrong.
SELECT CAST(',' as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST('.' as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST('-' as Decimal(12,2))--Arithmetic overflow error converting varchar to data type numeric.
SELECT CAST('+' as Decimal(12,2))--Arithmetic overflow error converting varchar to data type numeric.
SELECT CAST('$' as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST('$1' as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST('1,000' as Decimal(12,2))--Error converting data type varchar to numeric.
SELECT CAST('- 1'   as Decimal(12,2))--Error converting data type varchar to numeric.  (Due to spaces).
SELECT CAST('  1  ' as Decimal(12,2))--1.00  Leading and trailing spaces are okay.
SELECT CAST('1.' as Decimal(12,2))--1.00
SELECT CAST('.1' as Decimal(12,2))--0.10
SELECT CAST('-1' as Decimal(12,2))--1.00
SELECT CAST('+1' as Decimal(12,2))--1.00
SELECT CAST('True'  as Bit)--1
SELECT CAST('False' as Bit)--0
--Proof: The Casting to Decimal cannot exceed 38 Digits, even if the precision is well below 38.
SELECT CAST('1234.5678901234567890123456789012345678' as Decimal(8,4))--1234.5679
SELECT CAST('1234.56789012345678901234567890123456789' as Decimal(8,4))--Arithmetic overflow error converting varchar to data type numeric.

--Proof: Casting of trailing zeros count towards the max 38 digits Decimal can handle, yet it ignores leading-zeros.
SELECT CAST('.00000000000000000000000000000000000000' as Decimal(8,4))--0.0000  --38 Digits after the decimal point.
SELECT CAST('000.00000000000000000000000000000000000000' as Decimal(8,4))--0.0000  --38 Digits after the decimal point and 3 zeros before the decimal point.
SELECT CAST('.000000000000000000000000000000000000000' as Decimal(8,4))--Arithmetic overflow error converting varchar to data type numeric.  --39 Digits after the decimal point.
SELECT CAST('1.00000000000000000000000000000000000000' as Decimal(8,4))--Arithmetic overflow error converting varchar to data type numeric.  --38 Digits after the decimal point and 1 non-zero before the decimal point.
SELECT CAST('000000000000000000000000000000000000001.0000000000000000000000000000000000000' as Decimal(8,4))--1.0000

--Caveats: When casting to an Integer:
SELECT CAST('3.0' as Int)--Conversion failed when converting the varchar value '3.0' to data type int.
--NOTE: When converting from character data to Int, you may want to do a double-conversion like so (if you want to Round your results first):
SELECT CAST(CAST('3.5'  as Decimal(10))   as Int)--4.  Decimal(10) has no decimal precision, so it rounds it to 4 for us BEFORE converting to an Int.
SELECT CAST(CAST('3.5'  as Decimal(11,1)) as Int)--3.  Decimal (11,1) HAS decimal precision, so it stays 3.5 before converting to an Int, which then truncates it.
--These are the best ways to go if you simply want to Truncate or Round.
SELECT CAST(CAST('3.99' as Decimal(10)) as Int)--3.  Good Example of Rounding.
SELECT CAST(FLOOR('3.99') as Int)--3.  Good Example fo Truncating.
 6
Author: MikeTeeVee, 2014-02-16 00:29:27

A melhor solução seria parar de armazenar inteiros numa coluna varchar. É evidente que existe uma questão de dados em que os dados são interpretáveis como numéricos, mas não podem ser moldados como tal. Você precisa encontrar o(s) registro(S) que é (são) o problema e corrigi-los se os dados são tais que pode e deve ser corrigido. Dependendo do que você está armazenando e por que é um varchar para começar, você pode precisar corrigir a consulta em vez dos dados. Mas isso será mais fácil de fazer também se você primeiro encontrar os registros que estão a explodir a tua consulta actual.

A questão é como fazer isso. É relativamente fácil procurar uma casa decimal nos dados para ver se você tem casas decimais (que não.0 que converteria) usando charindex. Poderá também procurar qualquer registo que contenha e ou $ ou qualquer outro carácter que possa ser interpetado como numérico de acordo com as fontes já apresentadas. Se você não tem um monte de registros uma rápida varredura visual dos dados provavelmente vai encontrá - lo, especialmente se você ordenar sobre isso primeiro o campo.

Às vezes, quando eu estava preso em encontrar os dados ruins que estão explodindo uma consulta, eu coloquei os dados em uma tabela de temperatura e, em seguida, tentei processar em lotes (usando interpolação) até que eu encontrar o que ele explode. Comece com os primeiros 1000 (não se esqueça de usar a ordem por ou você não vai obter os mesmos resultados quando você excluir os bons registros e 1000 é apenas um melhor palpite se você tem milhões de registros começar com um número maior). Se passar, apague esses 1000 registos e seleccione o próximo lote. Uma vez que falha, selecione um lote menor. Uma vez que você está abaixo de um número que pode facilmente ser visualmente digitalizado, você vai encontrar o problema. Eu fui capaz de encontrar registros de problemas bastante rapidamente quando eu tenho milhões de registros e um erro estranho que nenhuma das consultas que eu tentei (que são basicamente suposições sobre o que pode estar errado) encontraram o problema.

 4
Author: HLGEM, 2008-12-03 18:45:47
ISNUMÉRICO é justo... estupido. Não devias usá-lo. Todos os casos abaixo return 1:
ISNUMERIC('-')
ISNUMERIC('.')
ISNUMERIC('-$.') 

Para todos os tipos inteiros em vez de: ISNUMERIC(@Value) = 1 basta usar: (@Value NOT LIKE '[^0-9]') OR (@Value NOT LIKE '-[^0-9]'

A única boa solução é não usar ISNUMÉRICO.

 2
Author: Arkady, 2013-04-05 11:40:08

Tenta isto e vê se ainda tens um erro...

SELECT CAST(CASE 
            WHEN IsNumeric(myVarcharColumn) = 0
                THEN 0
            ELSE myVarcharColumn
            END AS BIGINT)
FROM myTable
WHERE IsNumeric(myVarcharColumn) = 1
    AND myVarcharColumn IS NOT NULL
GROUP BY myVarcharColumn
 2
Author: Kevin Fairchild, 2013-12-06 20:01:24

Tenta embrulhá-lo numa mala:

select CASE WHEN IsNumeric(mycolumn) = 1 THEN CAST(mycolumn as bigint) END
FROM stack_table
WHERE IsNumeric(mycolumn) = 1
GROUP BY mycolumn
 1
Author: Dalin Seivewright, 2008-12-03 18:14:26

De acordo com BOL ISNUMÉRICO devolve 1 quando a expressão de entrada é avaliada para um tipo de dados numéricos válido; caso contrário, devolve 0.

Os tipos de dados numéricos válidos incluem o seguinte:

  • int
  • numérico
  • bigint
  • dinheiro
  • smallint
  • dinheiro pequeno
  • tinyint
  • float
  • decimal
  • real

De modo que, como outros indicaram, terá alguns dados que irão passar teste ISNUMÉRICO mas falhaste no lançamento para o bigint.

 1
Author: kristof, 2008-12-03 18:22:32

Eu tinha o mesmo problema e criei a função escalar como Im Em 2008 SQL

ALTER Function [dbo].[IsInteger](@Value VarChar(18))
Returns Bit
As 
Begin

  Return IsNull(
     (Select Case When CharIndex('.', @Value) > 0 
                  Then 0
                  Else 1
             End
      Where IsNumeric(@Value + 'e0') = 1), 0)    
End

Se está em 2012, pode usar TRY_CONVERT

 1
Author: Rohit Vipin Mathews, 2014-06-05 07:32:53
Tive o mesmo problema no MSSQL 2014, desencadeado por uma vírgula Em vez de paragem total.: isnumérico ("9090,23") dá 1; vazado ('9090,23' como flutuador) falha

Eu substituí ', 'por'.'

 0
Author: user5480949, 2016-03-23 16:27:30

Existem funções DAX (IsError ou IfError) que podem ajudar nesta situação, mas não temos essas no nosso servidor SQL 2008 R2. Parece um pacote de análise adicional para o servidor SQL.

 0
Author: Greg, 2017-01-05 18:29:12
Deparei-me com um post que pode ajudar. Não sei se te vai ajudar neste caso.

Http://dotmad.blogspot.com/2007/02/cannot-call-methods-on-bigint-error.html

 -1
Author: BenAlabaster, 2008-12-03 18:01:51