现在JavaScript日期–如何在JavaScript中获取当前日期

Many applications you build will have some sort of a date component, whether it's the creation date of a resource, or the timestamp of an activity.

您构建的许多应用程序都将具有某种日期组件,无论是资源的创建日期还是活动的时间戳。

Dealing with date and timestamp formatting can be exhausting. In this guide, you will learn how to get the current date in various formats in JavaScript.

处理日期和时间戳格式可能会很累。 在本指南中,您将学习如何在JavaScript中以各种格式获取当前日期。

JavaScript的Date对象 (JavaScript's Date Object)

JavaScript has a built-in Date object that stores the date and time and provides methods for handling them.

JavaScript具有一个内置的Date对象,该对象存储日期和时间并提供处理它们的方法。

To create a new instance of the Date object, use the new keyword:

要创建Date对象的新实例,请使用new关键字:

const date = new Date();

The Date object contains a Number that represents milliseconds passed since the Epoch, that is 1 January 1970.

Date对象包含一个Number ,该Number表示自新纪元(即1970年1月1日)起经过的毫秒Number

You can pass a date string to the Date constructor to create an object for the specified date:

您可以将日期字符串传递给Date构造函数以创建指定日期的对象:

const date = new Date('Jul 12 2011');

To get the current year, use the getFullYear() instance method of the Date object. The getFullYear() method returns the year of the specified date in the Date constructor:

要获取当前年份,请使用Date对象的getFullYear()实例方法。 getFullYear()方法在Date构造函数中返回指定日期的年份:

const currentYear = date.getFullYear();
console.log(currentYear); //2020

Similarly, there are methods for getting the current day of the month and the current month:

同样,有一些方法可以获取当月的当前日期和当前的月份:

const today = date.getDate();
const currentMonth = date.getMonth() + 1;

The getDate() method returns the current day of the month (1-31).

getDate()方法返回当月的当前日期(1-31)。

The getMonth() method returns the month of the specified date. One point to note about the getMonth() method is that it returns 0-indexed values (0-11) where 0 is for January and 11 for December. Hence the addition of 1 to normalize the month's value.

getMonth()方法返回指定日期的月份。 关于getMonth()方法要注意的一点是,它返回0索引值(0-11),其中0表示一月,11表示十二月。 因此,加1以使月份值标准化。

现在约会 (Date now)

now() is a static method of the Date object. It returns the value in milliseconds that represents the time elapsed since the Epoch. You can pass in the milliseconds returned from the now() method into the Date constructor to instantiate a new Date object:

now()Date对象的静态方法。 它返回以毫秒为单位的值,该值表示自纪元以来所经过的时间。 您可以将now()方法返回的毫秒数传递给Date构造函数,以实例化新的Date对象:

const timeElapsed = Date.now();
const today = new Date(timeElapsed);

格式化日期 (Formatting The Date)

You can format the date into multiple formats (GMT, ISO, and so on) using the methods of the Date object.

您可以使用Date对象的方法将Date格式化为多种格式(GMT,ISO等)。

The toDateString() method returns the date in a human readable format:

toDateString()方法以人类可读的格式返回日期:

today.toDateString(); // "Sun Jun 14 2020"

The toISOString() method returns the date which follows the ISO 8601 Extended Format:

toISOString()方法返回遵循ISO 8601扩展格式的日期:

today.toISOString(); // "2020-06-13T18:30:00.000Z"

The toUTCString() method returns the date in UTC timezone format:

toUTCString()方法以UTC时区格式返回日期:

today.toUTCString(); // "Sat, 13 Jun 2020 18:30:00 GMT"

The toLocaleDateString() method returns the date in a locality-sensitive format:

toLocaleDateString()方法以对地区敏感的格式返回日期:

today.toLocaleDateString(); // "6/14/2020"

You can find the complete reference for the Date methods in the MDN documentation.

您可以在MDN文档中找到有关Date方法的完整参考。

自定义日期格式器功能 (Custom Date Formatter Function)

Apart from the formats mentioned in the above section, your application might have a different format for data. It could be in yy/dd/mm or yyyy-dd-mm format, or something similar.

除了上一节中提到的格式外,您的应用程序可能具有不同的数据格式。 它可以是yy/dd/mmyyyy-dd-mm格式,或类似格式。

To tackle this problem, it would be better to create a reusable function so that it can be used across multiple projects.

为了解决这个问题,最好创建一个可重用的函数,以便可以在多个项目中使用它。

So in this section, let's create a utility function that will return the date in the format specified in the function argument:

因此,在本节中,让我们创建一个实用程序函数,该函数将以函数参数中指定的格式返回日期:

const today = new Date();function formatDate(date, format) {//
}formatDate(today, 'mm/dd/yy');

You need to replace the strings "mm", "dd", "yy" with the respective month, day and year values from the format string passed in the argument.

您需要使用参数中传递的格式字符串中的月份,日期和年份值分别替换字符串“ mm”,“ dd”,“ yy”。

To do that you can use the replace() method like shown below:

为此,可以使用如下所示的replace()方法:

format.replace('mm', date.getMonth() + 1);

But this will lead to a lot of method chaining and make it difficult to maintain as you try to make the function more flexible:

但是,这将导致很多方法链接,并在尝试使函数更灵活时难以维护:

format.replace('mm', date.getMonth() + 1).replace('yy', date.getFullYear()).replace('dd', date.getDate());

Instead of chaining methods, you can make use of regular expression with the replace() method.

可以使用正则表达式和replace()方法来代替链接方法。

First create an object that will represent a key-value pair of the substring and its respective value:

首先创建一个对象,该对象将代表子字符串的键值对及其各自的值:

const formatMap = {mm: date.getMonth() + 1,dd: date.getDate(),yy: date.getFullYear().toString().slice(-2),yyyy: date.getFullYear()
};

Next, use regular expression to match and replace the strings:

接下来,使用正则表达式匹配并替换字符串:

formattedDate = format.replace(/mm|dd|yy|yyy/gi, matched => map[matched]);

The complete function looks like this:

完整的功能如下所示:

function formatDate(date, format) {const map = {mm: date.getMonth() + 1,dd: date.getDate(),yy: date.getFullYear().toString().slice(-2),yyyy: date.getFullYear()}return format.replace(/mm|dd|yy|yyy/gi, matched => map[matched])
}

You can also add the ability to format timestamps in the function.

您还可以在函数中添加格式化时间戳的功能。

结论 (Conclusion)

I hope you now have a better understanding of the Date object in JavaScript. You can also use other third-party libraries like datesj and moment to handle dates in your application.

希望您现在对JavaScript中的Date对象有更好的了解。 您还可以使用其他第三方库(例如datesjmoment来处理应用程序中的日期。

Until next time, stay safe and keep hustling.

在下一次之前,请保持安全并保持忙碌状态。

翻译自: https://www.freecodecamp.org/news/javascript-date-now-how-to-get-the-current-date-in-javascript/

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/390291.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

233. 数字 1 的个数

给定一个整数 n,计算所有小于等于 n 的非负整数中数字 1 出现的个数。 示例 1: 输入:n 13 输出:6 示例 2: 输入:n 0 输出:0 解题思路 正确性证明 例如:对于n3015&#xff0c…

Linux串口设置参数

为什么80%的码农都做不了架构师?>>> 在Linux环境下,串口名从ttyS0开始依次是ttyS1、ttyS2等。在本程序中,使用ttyS0作为通信串口。在打开ttyS0的时候选项 O_NOCTTY 表示不能把本串口当成控制终端,否则用户的键盘输入信…

STM32F013 十元板

我大拇指般大小。STM32F103C8T6,64K Flash,20K RAM,m3的核。十元,应该是价格极限了吧。 通过USB供电(5V),也可以排针3.3V供电。可惜没有引出5V排针。USB口可以供电和USB通讯,没有USB…

如何在Python中建立和训练K最近邻和K-Means集群ML模型

One of machine learnings most popular applications is in solving classification problems.机器学习最流行的应用之一是解决分类问题。 Classification problems are situations where you have a data set, and you want to classify observations from that data set in…

552. 学生出勤记录 II

552. 学生出勤记录 II 可以用字符串表示一个学生的出勤记录,其中的每个字符用来标记当天的出勤情况(缺勤、迟到、到场)。记录中只含下面三种字符: ‘A’:Absent,缺勤 ‘L’:Late,迟…

C/C++中计算函数运行时间

#include<stdio.h> #include<time.h> clock_t start,stop;//clock_t 是clock&#xff08;&#xff09;函数返回变量的类型 double duration;//记录被测函数的运行时间&#xff0c;以秒为单位 int main() { startclock();//开始计时 MyFunction();//把被测函数加在这…

作为一名前端开发工程师,你必须掌握的WEB模板引擎:Handlebars

为什么需要使用模板引擎&#xff1f; 关于为什么要使用模板引擎&#xff0c;按照我常说的一句话就是&#xff1a;不用重复造轮子了。 简单来说&#xff0c;模板最本质的作用是“变静为动”&#xff0c;一切利于这方面的都是优势&#xff0c;不利于的都是劣势。要想很好地实现“…

extjs 实用开发指南_如何提出有效问题:针对开发人员的实用指南

extjs 实用开发指南Learning is a journey that never ends. At every point in your career, you will keep learning, re-learning, and un-learning. 学习是一个永无止境的旅程。 在职业生涯的每个阶段&#xff0c;您都会不断学习&#xff0c;重新学习和不学习。 The abil…

LOJ 6270

最近&#xff08;一直&#xff09;有点&#xff08;很&#xff09;蠢 按照区间大小排序做区间包含多少区间的话 只用考虑 左端点比当前左端点小的和右端点比当前右端点大的&#xff0c;因为不可能同时满足 关于K&#xff0c;就在做到K的时候减一下就好了&#xff0c;一直傻逼在…

Zabbix3.4安装详细步骤

Zabbix3.4安装的详细步骤一、zabbix介绍现在大多数公司都会用到监控软件&#xff0c;主流的监控软件就是Zabbix了&#xff0c;当然还会有Nagios等其他的软件&#xff1a;zabbix是一个基于WEB界面的提供分布式系统监视以及网络监视功能的企业级的开源解决方案。zabbix能监视各种…

软件自学成才到公司要学历吗_作为一名自学成才的移动开发人员,我在旅途中学到了什么

软件自学成才到公司要学历吗In this post, Ill share my entire journey about how I became a professional mobile developer.在这篇文章中&#xff0c;我将分享我如何成为一名专业的移动开发人员的整个过程。 I hope that reading about my experience will help you refle…

cs231n---语义分割 物体定位 物体检测 物体分割

1 语义分割 语义分割是对图像中每个像素作分类&#xff0c;不区分物体&#xff0c;只关心像素。如下&#xff1a; &#xff08;1&#xff09;完全的卷积网络架构 处理语义分割问题可以使用下面的模型&#xff1a; 其中我们经过多个卷积层处理&#xff0c;最终输出体的维度是C*H…

http协议内容

前言&#xff1a; http协议&#xff1a; 对浏览器客户端 和 服务器端 之间数据传输的格式规范http1.0&#xff1a;当前浏览器客户端与服务器端建立连接之后&#xff0c; 只能发送一次请求&#xff0c;一次请求之后连接关闭。 http1.1&#xff1a;当前浏览器客户端与服务器端建…

array_combine()

转载于:https://www.cnblogs.com/xiaobiaomei/p/8392728.html

CSS外边距(margin)重叠及防止方法

#css外边距margin重叠及防止方法CSS外边距(margin)重叠及防止方法 #1-什么是外边距margin重叠1. 什么是外边距(margin)重叠 外边距重叠是指两个或多个盒子(可能相邻也可能嵌套)的相邻边界(其间没有任何非空内容、补白、边框)重合在一起而形成一个单一边界。 #2-相邻marign重叠的…

composer windows安装

一.前期准备: 1.下载安装包,https://getcomposer.org/download/ 2.在php.ini文档中打开extensionphp_openssl.dll 3.下载php_ssh2.dll、php_ssh2.pdb,http://windows.php.net/downloads/pecl/releases/ssh2/0.12/ 4.把php_ssh2.dll、php_ssh2.pdb文件放php的ext文件夹 5.重启ap…

spring整合mybatis采坑

本来这个错误是整合spring和mybatis遇到的错误&#xff0c;但是一直没有解决&#xff0c;但是在做SpringMVC时也了出现了这样的错误org.springframework.beans.factory.BeanCreationException: Error creating bean with name sqlSessionFactory defined in class path resourc…

处理测试环境硬盘爆满

测试环境经常会收到这类告警 第一步 登陆机器查看硬盘使用 执行df 好吧,使用情况真不妙,根目录占用过大 第二步 确定哪个文件太大或者文件过多 进入爆满的目录,如这里是根目录 cd / 然后找下面哪个文件夹或者文件太大,有几种方式: 1.dusudo du -h --max-depth1 | sort -hr 越前…

LeetCode-46. Permutations

一、问题描述 就是全排列问题。 二、问题解决 应该哪一本数据结构的书上都有讲了。 void get_permute(vector<int>& nums, int pos, vector<vector<int>>& result) {if (nums.size() pos) {result.push_back(nums);return;}for (int i pos; i <…

web操作系统开发的_哪种操作系统更适合Web开发

web操作系统开发的If youre new to web development and are in the market for a new laptop, you might be wondering which operating system is best.如果您是Web开发的新手&#xff0c;并且正在购买新的笔记本电脑&#xff0c;您可能想知道哪种操作系统是最好的。 Spoile…