我在日期时间格式转换中有一个问题。在我的数据库表中,我有一个列jour
,格式如下:
01/02/2014 00:00:00
,即DD/MM/YYYY 00:00:00
。当我这样做的时候:
Dim date1 As String = Session("date1")
Dim date2 As String = Session("date2")
Dim datefirst As DateTime
Dim dateSecond As DateTime
Try
datefirst = DateTime.Parse(date1)
dateSecond = DateTime.Parse(date2)
Catch ex As Exception
End Try
Dim report As ReportDocument = New ReportDocument()
Dim reportPath As String = Server.MapPath("ReportsPrix.rpt")
Dim ds As DataSet
Dim cnn As SqlConnection
Dim connectionString As String = "Data Source=HP-PCSQLEXPRESS;Initial Catalog=ReportingFormation;Integrated Security=True;Pooling=False"
Dim sql As String = ""
Dim dscmd As SqlDataAdapter
cnn = New SqlConnection(connectionString)
cnn.Open()
sql = "SELECT * FROM PrixProduit where ( Jour >= '" + datefirst + "'and Jour <='" + dateSecond + "')"
dscmd = New SqlDataAdapter(sql, cnn)
ds = New DataSet()
dscmd.Fill(ds, "PrixProduit")
使用这些值: date1 = 30/01/2014
date2 = 06/02/2014
datefirst = #1/30/2014#
datesecsecond = #2/6/2014#
所以我得到了这个错误
The conversion of a char data type to a datetime data type resulted in an out-of-range datetime value.
:
dscmd.Fill(ds, "PrixProduit")
所以我需要知道
- 这个错误的原因是什么?
- 我该如何修复它?
对于这种情况,您有两个选择,第一是更改应用程序中的date
以匹配数据库中的date
。第二是在convert
期间包含样式。下面是尝试convert
varchar
到date
字段的示例。首先select
会失败。但第二个将工作,因为我指定的style
,我期望字符串是。
DECLARE @datechar VARCHAR(12) = '16/03/2014'
SELECT CONVERT(DATE, @datechar)
SELECT CONVERT(DATE, @datechar, 103)
您需要将SQL代码修改为以下
sql = "SELECT * FROM PrixProduit where ( Jour >= Convert(date,'" + datefirst + "',103 ) and Jour <= Convert(date,'" + dateSecond + "',103))"
就像人们已经提到的,你应该避免字符串的连接,这会使你的应用程序容易被sql注入。因此,将代码修改为:
sql = "SELECT * FROM PrixProduit where Jour >= Convert(date,@datefirst,103 ) and Jour <= Convert(date,@datesecond,103)"
假设您使用美国日期时间格式MM/DD/YYYY。将这一行改为:
sql = "SELECT * FROM PrixProduit where ( Jour >= '" + datefirst.ToString("MM/dd/yyyy") + "' and Jour <='" + dateSecond.ToString("MM/dd/yyyy") + "')"
ToString("MM/dd/yyyy")显式地将日期时间转换为MM/dd/yyyy格式,以避免默认转换,这可能不是我们想要的。
我还应该指出,在你的解释中:
"这些值:date1= 30/01/2014 date2 = 06/02/2014 datefirst = #1/30/2014# datesecsecond = #2/6/2014# ...."
date1中的值为'30/01/2014'。如果这不是一个打字错误,您可能会得到错误
"The conversion of a char data type to a datetime data type resulted in an out-of-range datetime value."