有谁知道如何将JS dateTime转换为MySQL datetime?还有一种方法可以将特定的分钟数添加到JS datetime,然后将其传递给MySQL datetime吗?
答案 0 :(得分:269)
var date;
date = new Date();
date = date.getUTCFullYear() + '-' +
('00' + (date.getUTCMonth()+1)).slice(-2) + '-' +
('00' + date.getUTCDate()).slice(-2) + ' ' +
('00' + date.getUTCHours()).slice(-2) + ':' +
('00' + date.getUTCMinutes()).slice(-2) + ':' +
('00' + date.getUTCSeconds()).slice(-2);
console.log(date);
甚至更短:
new Date().toISOString().slice(0, 19).replace('T', ' ');
输出:
2012-06-22 05:40:06
对于更高级的用例,包括控制时区,请考虑使用http://momentjs.com/:
require('moment')().format('YYYY-MM-DD HH:mm:ss');
对于momentjs的轻量级替代方案,请考虑https://github.com/taylorhakes/fecha
require('fecha').format('YYYY-MM-DD HH:mm:ss')
答案 1 :(得分:77)
虽然JS确实拥有足够的基本工具来实现这一点,但它非常笨重。
/**
* You first need to create a formatting function to pad numbers to two digits…
**/
function twoDigits(d) {
if(0 <= d && d < 10) return "0" + d.toString();
if(-10 < d && d < 0) return "-0" + (-1*d).toString();
return d.toString();
}
/**
* …and then create the method to output the date string as desired.
* Some people hate using prototypes this way, but if you are going
* to apply this to more than one Date object, having it as a prototype
* makes sense.
**/
Date.prototype.toMysqlFormat = function() {
return this.getUTCFullYear() + "-" + twoDigits(1 + this.getUTCMonth()) + "-" + twoDigits(this.getUTCDate()) + " " + twoDigits(this.getUTCHours()) + ":" + twoDigits(this.getUTCMinutes()) + ":" + twoDigits(this.getUTCSeconds());
};
答案 2 :(得分:55)
我认为使用方法toISOString()
可以减少笨重的解决方案,它具有广泛的浏览器兼容性。
所以你的表达将是一个单行:
new Date().toISOString().slice(0, 19).replace('T', ' ');
生成的输出:
“2017-06-29 17:54:04”
答案 3 :(得分:8)
对于任意日期字符串,
// Your default date object
var starttime = new Date();
// Get the iso time (GMT 0 == UTC 0)
var isotime = new Date((new Date(starttime)).toISOString() );
// getTime() is the unix time value, in milliseconds.
// getTimezoneOffset() is UTC time and local time in minutes.
// 60000 = 60*1000 converts getTimezoneOffset() from minutes to milliseconds.
var fixedtime = new Date(isotime.getTime()-(starttime.getTimezoneOffset()*60000));
// toISOString() is always 24 characters long: YYYY-MM-DDTHH:mm:ss.sssZ.
// .slice(0, 19) removes the last 5 chars, ".sssZ",which is (UTC offset).
// .replace('T', ' ') removes the pad between the date and time.
var formatedMysqlString = fixedtime.toISOString().slice(0, 19).replace('T', ' ');
console.log( formatedMysqlString );
或单线解决方案,
var formatedMysqlString = (new Date ((new Date((new Date(new Date())).toISOString() )).getTime() - ((new Date()).getTimezoneOffset()*60000))).toISOString().slice(0, 19).replace('T', ' ');
console.log( formatedMysqlString );
在mysql中使用Timestamp时,此解决方案也适用于Node.js.
@Gajus Kuizinas's first answer seems to modify mozilla's toISOString prototype
答案 4 :(得分:6)
var datetme = new Date().toLocaleString();
你可以用params发送它。它将起作用。
答案 5 :(得分:5)
new Date()。toISOString()。slice(0,10)+“” + new Date()。toLocaleTimeString('en-GB');
100%工作
答案 6 :(得分:4)
古老的DateJS库有一个格式化例程(它会覆盖“.toString()”)。你也可以很容易地自己做一个,因为“日期”方法可以为你提供所需的所有数字。
答案 7 :(得分:4)
使用@Gajus答案概念的完整解决方法(以控制时区):
var d = new Date(),
finalDate = d.toISOString().split('T')[0]+' '+d.toTimeString().split(' ')[0];
console.log(finalDate); //2018-09-28 16:19:34 --example output
答案 8 :(得分:2)
简短版本:
// JavaScript timestamps need to be converted to UTC time to match MySQL
// MySQL formatted UTC timestamp +30 minutes
let d = new Date()
let mySqlTimestamp = new Date(
d.getFullYear(),
d.getMonth(),
d.getDate(),
d.getHours(),
(d.getMinutes() + 30), // add 30 minutes
d.getSeconds(),
d.getMilliseconds()
).toISOString().slice(0, 19).replace('T', ' ')
console.log("MySQL formatted UTC timestamp: " + mySqlTimestamp)
UTC 时间通常是在 MySQL 中存储时间戳的最佳选择。如果您没有 root 访问权限,请在连接开始时运行 set time_zone = '+00:00'
。
在 MySQL 中使用 convert_tz 方法显示特定时区的时间戳。
select convert_tz(now(), 'SYSTEM', 'America/Los_Angeles');
JavaScript 时间戳基于您设备的时钟并包括时区。在发送任何由 JavaScript 生成的时间戳之前,您应该将它们转换为 UTC 时间。 JavaScript 有一个名为 toISOString() 的方法,该方法将 JavaScript 时间戳格式化为看起来类似于 MySQL 时间戳,并将时间戳转换为 UTC 时间。最后的清理是通过切片和替换进行的。
let timestmap = new Date()
timestmap.toISOString().slice(0, 19).replace('T', ' ')
长版显示正在发生的事情:
// JavaScript timestamps need to be converted to UTC time to match MySQL
// local timezone provided by user's device
let d = new Date()
console.log("JavaScript timestamp: " + d.toLocaleString())
// add 30 minutes
let add30Minutes = new Date(
d.getFullYear(),
d.getMonth(),
d.getDate(),
d.getHours(),
(d.getMinutes() + 30), // add 30 minutes
d.getSeconds(),
d.getMilliseconds()
)
console.log("Add 30 mins: " + add30Minutes.toLocaleString())
// ISO formatted UTC timestamp
// timezone is always zero UTC offset, as denoted by the suffix "Z"
let isoString = add30Minutes.toISOString()
console.log("ISO formatted UTC timestamp: " + isoString)
// MySQL formatted UTC timestamp: YYYY-MM-DD HH:MM:SS
let mySqlTimestamp = isoString.slice(0, 19).replace('T', ' ')
console.log("MySQL formatted UTC timestamp: " + mySqlTimestamp)
答案 9 :(得分:1)
一个简单的解决方案是向MySQL发送时间戳,然后让它进行转换。 Javascript以毫秒为单位使用时间戳,而MySQL希望以秒为单位-因此需要除以1000:
array of numbers
答案 10 :(得分:1)
使用 toJSON()
日期函数如下:
var sqlDatetime = new Date(new Date().getTime() - new Date().getTimezoneOffset() * 60 * 1000).toJSON().slice(0, 19).replace('T', ' ');
console.log(sqlDatetime);
答案 11 :(得分:1)
简单:只需替换 T。 我的
所以只需替换 T,它看起来像这样:“2021-02-10 18:18”SQL 会吃掉那个。
这是我的功能:
var CreatedTime = document.getElementById("example-datetime-local-input").value;
var newTime = CreatedTime.replace("T", " ");
https://www.tutorialrepublic.com/codelab.php?topic=faq&file=javascript-replace-character-in-a-string
答案 12 :(得分:0)
var _t = new Date();
如果您只想使用UTC格式
_t.toLocaleString('indian', { timeZone: 'UTC' }).replace(/(\w+)\/(\w+)\/(\w+), (\w+)/, '$3-$2-$1 $4');
或
_t.toISOString().slice(0, 19).replace('T', ' ');
,如果需要在特定时区,则
_t.toLocaleString('indian', { timeZone: 'asia/kolkata' }).replace(/(\w+)\/(\w+)\/(\w+), (\w+)/, '$3-$2-$1 $4');
答案 13 :(得分:0)
将JS日期转换为SQL datetime格式的最简单的正确方法就是这种方法。它可以正确处理时区偏移。
const toSqlDatetime = (inputDate) => {
const date = new Date(inputDate)
const dateWithOffest = new Date(date.getTime() - (date.getTimezoneOffset() * 60000))
return dateWithOffest
.toISOString()
.slice(0, 19)
.replace('T', ' ')
}
toSqlDatetime(new Date()) // 2019-08-07 11:58:57
toSqlDatetime(new Date('2016-6-23 1:54:16')) // 2016-06-23 01:54:16
请注意,@Paulo Roberto answer在新的一天开始时会产生错误的结果(我不能发表评论)。例如:
var d = new Date('2016-6-23 1:54:16'),
finalDate = d.toISOString().split('T')[0]+' '+d.toTimeString().split(' ')[0];
console.log(finalDate); // 2016-06-22 01:54:16
我们是6月22日,而不是23日!
答案 14 :(得分:0)
我已经使用了很长时间,这对我很有帮助,可以随便使用
Date.prototype.date=function() {
return this.getFullYear()+'-'+String(this.getMonth()+1).padStart(2, '0')+'-'+String(this.getDate()).padStart(2, '0')
}
Date.prototype.time=function() {
return String(this.getHours()).padStart(2, '0')+':'+String(this.getMinutes()).padStart(2, '0')+':'+String(this.getSeconds()).padStart(2, '0')
}
Date.prototype.dateTime=function() {
return this.getFullYear()+'-'+String(this.getMonth()+1).padStart(2, '0')+'-'+String(this.getDate()).padStart(2, '0')+' '+String(this.getHours()).padStart(2, '0')+':'+String(this.getMinutes()).padStart(2, '0')+':'+String(this.getSeconds()).padStart(2, '0')
}
Date.prototype.addTime=function(time) {
var time=time.split(":")
var rd=new Date(this.setHours(this.getHours()+parseInt(time[0])))
rd=new Date(rd.setMinutes(rd.getMinutes()+parseInt(time[1])))
return new Date(rd.setSeconds(rd.getSeconds()+parseInt(time[2])))
}
Date.prototype.addDate=function(time) {
var time=time.split("-")
var rd=new Date(this.setFullYear(this.getFullYear()+parseInt(time[0])))
rd=new Date(rd.setMonth(rd.getMonth()+parseInt(time[1])))
return new Date(rd.setDate(rd.getDate()+parseInt(time[2])))
}
Date.prototype.subDate=function(time) {
var time=time.split("-")
var rd=new Date(this.setFullYear(this.getFullYear()-parseInt(time[0])))
rd=new Date(rd.setMonth(rd.getMonth()-parseInt(time[1])))
return new Date(rd.setDate(rd.getDate()-parseInt(time[2])))
}
然后:
new Date().date()
以“ MySQL格式”返回当前日期
添加时间为
new Date().addTime('0:30:0')
这将增加30分钟...。依此类推
答案 15 :(得分:0)
解决方案建立在其他答案的基础上,同时保持时区和前导零:
var d = new Date;
var date = [
d.getFullYear(),
('00' + d.getMonth() + 1).slice(-2),
('00' + d.getDate() + 1).slice(-2)
].join('-');
var time = [
('00' + d.getHours()).slice(-2),
('00' + d.getMinutes()).slice(-2),
('00' + d.getSeconds()).slice(-2)
].join(':');
var dateTime = date + ' ' + time;
console.log(dateTime) // 2021-01-41 13:06:01
答案 16 :(得分:0)
我已经提供了简单的JavaScript日期格式示例,请查看以下代码
var data = new Date($.now()); // without jquery remove this $.now()
console.log(data)// Thu Jun 23 2016 15:48:24 GMT+0530 (IST)
var d = new Date,
dformat = [d.getFullYear() ,d.getMonth()+1,
d.getDate()
].join('-')+' '+
[d.getHours(),
d.getMinutes(),
d.getSeconds()].join(':');
console.log(dformat) //2016-6-23 15:54:16
使用momentjs
var date = moment().format('YYYY-MM-DD H:mm:ss');
console.log(date) // 2016-06-23 15:59:08