Moment: make moment mostly immutable

Created on 3 Jul 2014  ·  163Comments  ·  Source: moment/moment

There has been a lot of discussions about this. Here's the proposal:

The following mutable methods will become immutable in 3.0.0: utc, local, zone, add, subtract, startOf, endOf, lang, also in duration: add, subtract, and lang.

As a start, all methods will be duplicated with methodNameMute variants. We also need immutable variants named methodNameImmute. From 3.0 the plain old methods will start using the immutable option by default.

What is debatable is:

  • should lang be made immutable
  • should all the getters/setters (including get/set) be made immutable too
  • naming of the mutable and immutable versions of the methods
  • and of course -- should we do the switch, or just stop at the immutable API

The good part is we can make immutable versions of the methods today and decide later on what to do. If we switch it would also mean the 2.x branch would be around for quite some time after 3.x is out.

@icambron @timrwood @gregwebs @yang @lfnavess @soswow @langalex

Enhancement

Most helpful comment

My two cents is that we should either go for full-hog immutability or not at all. Having some methods be immutable (startOf, add) and some not (year, get) is just confusing, and developers will have to keep track of which ones are which.

All 163 comments

My two cents is that we should either go for full-hog immutability or not at all. Having some methods be immutable (startOf, add) and some not (year, get) is just confusing, and developers will have to keep track of which ones are which.

I would also prefer everything immutable by default. Are the getters not immutable already?

Here are the big issues I see with switching to immutability.

Pseudo-Immutability

Because of the nature of javascript, we will never be able to have true immutability.

The best we can do is create a copy and then mutate and return that copy. We can carefully wrap all the public methods to make sure we are always copying and mutating rather than just mutating, but that doesn't prevent someone from doing m._d = new Date() or even m._d.setHours(1).

I agree with @icambron, if we move to immutability, it should be a complete change. Any method that could possibly change a property on a moment would instead create a copy of the moment and make a change on the copy instead.

Api Surface Area

The unfortunate thing about switching to pseudo-immutability is that many new apis need to be created if we want to still support mutability.

Before, switching from mutating a moment to cloning and mutating a moment was as simple as adding a .clone() in the right place. Now, we would have to create mutable interfaces for all setters, which adds considerably to the api surface area.

This includes the ~20 setter methods, add/subtract, local/utc/zone/tz, startOf/endOf, lang, and any other methods used in 3rd party plugins.

Memory Concerns

Because we are now creating copies every time we want to change a value, the memory usage will increase. Of course, the new moments will be garbage collected, but the additional cost associated with this change is something to keep in mind.

We would have to take great care to make sure we are not creating tons of disposable clones with methods that use other setters.

To track what methods are being called, I used this little function wrapper.

for (var method in moment.fn) {
  moment.fn[method] = (function (fn, method) {
    return function () {
      console.log(method);
      return fn.apply(this, arguments)
    }
  })(moment.fn[method], method)
}

Now, when running a method, we can see how may other methods on the prototype are used. Not all of these methods would need to clone the moment, so I added comments on the ones that would require cloning.

moment().isSame(moment(), 'year')
isSame
clone        // clone
startOf      // clone
month        // clone
date         // clone
year         // clone
date         // clone
hours        // clone
minutes      // clone
seconds      // clone
milliseconds // clone
valueOf
local        // clone
zone         // clone
startOf      // clone
month        // clone
date         // clone
year         // clone
date         // clone
hours        // clone
minutes      // clone
seconds      // clone
milliseconds // clone
valueOf

That is 21 copies that are created and then immediately discarded. Obviously we could optimize this by using some internal methods that are mutable and only expose the immutable versions, but it will significantly add to the internal complexity trying to keep a record of which moments still need cloning and which don't.

Performance Concerns

Cloning a moment is much slower than mutating a moment. I threw together a couple jsperf tests for this.

http://jsperf.com/moment-cloning

http://jsperf.com/moment-cloning-2

I think the second test is a much better representation of the performance losses when switching to pseudo-immutability. If we multiply those results by the 21 cloning instances noted above, the execution times are that much slower.

I'm sure we could optimize the path for cloning a moment, but we would need to make it 50x faster in order to have comparable performance. I'm pretty sure this is impossible.

Summary

Switching to immutability greatly increases the complexity of the internal and external apis and has major performance and memory concerns. I don't think those costs are worth the benefits that immutability would provide.

I think the performance concerns listed here are missing the point:

Generally speaking, an initial .clone() is needed to ensure correctness before performing mutation.

We can't pretend like clone() is not needed with the current API. The main case here that is different is performing multiple sequential mutations. That case is addressed by creating a builder API such that all the mutations are performed as mutations on a single clone.

Am I missing other common use cases?

My original issue was about startOf and endOf methods specifically. For some reason these names for me were like "get me startOf a month" not "set this moment to the startOf a month". Methods like add and subtract are perfectly ok in the way they are in sense of semantics. It's perfectly ok to Add something To an object without creating new one.
For me personally renaming methods startOf and endOf to smth like toStartOf and toEndOf (like "move this moment to start of a month") would solve the issue. IMHO

@gregwebs Sorry, I meant set above.

I disagree with @soswow; I think it needs to be consistent. In fact, I think that toStartOf implies immutability even more strongly, like it's providing an alternative presentation a la toISOString. More importantly, I think we need to be able to make statements like "Moment's setters mutate moments" or "Moments setters return copies", not "well, for these methods..."

On @timrwood's concerns:

That the JS objects won't be truly immutable doesn't bother me. The point is that the API provide an immutable contract. Of course the user can cheat by fiddling with the underscored properties, and cheating is generally possible even languages where immutability is the main way of doing things.

On surface area and about perf: I think we'll need to use the mutators internally to avoid using up all that CPU and memory [1], so we'll then we'll have to support them at some level. Then we might as well expose them externally, like setYear(), etc. That adds a bunch of surface area, but it doesn't really add much complexity; for non-explicit-mutators, clone externally, mutate internally.

One way to look at that is that the user has to clone in their code, so Moment might as well be doing for them. That does present a problem with chaining in perf-sensitive places, which could be battled by either a builder interface (per Greg's idea) or by letting the user just use mutators there. The builder adds a bunch complexity [2], so I think I just favor explicit mutator alternatives. I think the reality is that most of the time, Moment is not being used in perf-sensitive situations, so those situations don't have to be the most convenient API-wise. I'd rather have a nice immutable API with a perf hatch for when I need it.

[1] The cool kids in FP land solve this with _structural sharing_, but that's probably impractical here.

[2] Traditionally, people make builders that are separate objects, but that would be really verbose here, since you'd have to copy the whole setter API. Just spitballing, but one alternative is that .chain() creates a clone moment that just has an isBuilding flag set on it. Then internal clones are ignored, just returning the object for mutation. Then build() unsets the flag and returns that clone. The trouble is that you need your getters to scream bloody murder if the flag is set, or people will end up using the using the chained but unbuilt Moments which are suddenly mutatorish. Then you need to differentiate externally and internally called getters. Blech. Another alternative is to internally decompose the functionality needed by the builder into a mixin and use it in both the builder and in Moment, but that's probably not workable from a code-organization perspective.

what worked to me, was adding an extra parameter to the functions, a flag (i named self) to denote mutability, by default is in inmutable (return a copy or new object), and when i detect perfomance i set the flag to true

this stand point solved a lot of conflicts,
having functions with similar name executing almost the same code,
or having to change the functionname and problably the parameters when i detect performance points
in my public methods i start the code calling the functions with a copy and following calls with the flag in true
with this i also i can chain the functions

in my code i work with arrays of arrays, (like a table, array of rows)
so i have functions to filter, union, etc, that previusly retruns a new array with the reult, and i detect that to get the final result i called several times the same function, now the first call is to create a copy and not change the initial array, and teh following calls i work with the same array droping row that i don't need

an basic example that could be here:
moment.add = function(measure, ammount, self){
}

moment.add = function (measure, ammount, self) {
var $moment = self ? this : this.clone();
// the actual code
return $moment;
}

Thank you everybody for their 2 cents :)

For the protocol, I agree on @icambron's last post on all points.

There are two big questions left.

The easier one is what should the new API be, two options:
1.1 differently named methods (mutable and immutable) year/setYear, startOf/setStartOf
1.2 or builder api chain().mutators().build(), which is the non-hacky version of what @lfnavess proposed.

The builder api definitely looks sexier, but care should be taken that objects don't stay in build mode for too long, which adds another source of trouble for us and the users.

Now the hard problem -- migrating to the new version. I see two options here:
2.1 devs have to rewrite their code (crazy regex might work in 1.1 and AST-level solution for 1.2 -- given nobody uses year and month as the names of their own methods). python took this approach -- we can all see the result -- a brand new language was born!
2.2 option to turn builder api always on (same as now), and a way to deactivate it for new code. This looks more _evolutionary_, but the amount of confusion it would cause is probably not worth it. Every moment now has a two flags: is it mutable, and in case it is -- is it strictly mutable (no getters) or transitionally mutable (getters ok). Not to mention receiving moment objects in functions -- you should check what the mode is, make sure to maintain it ... what a mess!


And now a crazy idea that came to me now

Copy-on-write clone

m = moment();
funcIDontTrust(m.clone());  // doesn't actually clone

function funcIDontTrust(m) {
  m.year(2005);  // perform the clone here
  console.log(m);
}

I'm not sure how much can be shaved off with this approach, given moment instances are pretty light. Also all mutators now have to perform a check.

There are a few ways to implement with varying performance in different scenarios. The good news is that its backwards compatible and we'll save us and our users a great deal of effort. And I think this is more important than reinventing the wheel.

I'm not sure what we are gaining here.

Switching to immutablilty has a ton of associated costs and maybe I'm missing it, but
I don't really see comparable benefits.

The main benefits seem to be developer preference. Is this all so that developers don't have
to think about ownership of a moment when passing it around?

I don't think switching to immutability will make bugs any less frequent, it will just
change the type of bugs. @ichernev's example even shows the exact kind of bugs that will
surface, which are just as hard to track down.

m = moment();
funcIDontTrust(m.clone());  // doesn't actually clone

function funcIDontTrust(m) {
  m.year(2005);  // perform the clone here
  // m is still in 2014
  // m.year(2005) created a clone but did not assign it to anything
  // it should be `m = m.year(2005)`
  console.log(m);
}

Here is a pros/cons list between mutability and immutability. If I missed anything,
let me know and I'll edit this comment.

| Immutable | Mutable |
| --- | --- |
| Some devs prefer it | Some other devs prefer it |
| Avoids bugs when passing around moments | Avoids bugs when forgetting to assign cloned moments |
| With a few dozen new api methods, mutability will also be supported | With the existing .clone() method, immutability is already supported |
| | An order of magnitude faster |
| | Uses significantly less memory |

I do think immutability is useful, but I don't think it is a good fit in JavaScript. I think an immutable interface may make sense for a lanugage like Elm, where immutablity is expected, but for JavaScript, I think mutability is expected.

Much of the apis for typeof a === "object" built-ins are mutable. Array#push,pop,reverse,sort,shift,splice,unshift all change the contents of an array rather than returning a new array. All 16 of the Date#setX methods mutate their instance.

I think we are seeing a lot of people complaining about moments being mutable, but if we switch, I think we will have just as many people complaining. This has already happened with the eod/sod methods two years ago.

After looking at a bunch of old issues on mutability, I guess I'm probably sounding like a broken record here. On both sides, it's the same points that have been brought up for the past few years. I just wanted to make sure an argument for keeping a mutable api was represented in the discussion.

@timrwood those are good comparisons, but it is pretty clear you haven't taken the time to understand the immutable use case. We have already discussed why the performance comparisons you posted assume a poorly implemented API and do not make sense.

The bug comparison is also invalid. Because momentjs supports a chaining API, one could expect it to be immutable.

var newM = m.year(2005) // wrong, these are both the same!

So both immutable and mutable have the same problem right now. You could avoid it with the current mutable version if you got rid of the chaining API.

So the immutable API is preferable to mutable because you can safely pass a moment between functions. With the current mutable moments if I pass a moment between function I have 2 options

1) The insane buggy way (that is probably most common): investigate all the source code to make sure there aren't unwanted mutations. Write unit tests to make sure unwanted mutations don't creep in.
2) The sane way (lets instead assume everyone is doing this), defensive programming: remember to call the clone() function before mutating in my function.

With the immutable API we don't have to remember to call clone() every time. Instead, we have to remember to call the API function that lets us avoid cloning, but this is only a performance optimization, not an issue of correctness.

it is pretty clear you haven't taken the time to understand the immutable use case

That's an unfair statement. My argument is that I see the benefits, but do not think they outweigh the costs.

you can safely pass a moment between functions

we don't have to remember to call clone

Is this not the use case for immutability? If there is more to it that I haven't taken the time to understand, please let me know, but this seems to be the only argument for the past few years.

@timrwood yes, that is the entire case.

But I don't see a sign from you acknowledging that your case _against_ immutability (horrible performance, promotes a different type of bug not present in the mutable API) is not valid.

i think we should stick with the ecmascript 5 point of view, and maybe add a function that deep freeze the current object, or a global flag that automatically creates frezee objects

http://blogorama.nerdworks.in/preventextensionssealandfreeze/

maybe a extra parameter in the constructor to create a freeze object, because a freeze object can't be unfreeze

@lfnavess I thought about freeze before mentioning the copy on write. The problem is that ... nobody uses it / knows about it, nor does it help when it doesn't throw an exception (in non-strict mode) -- it actually creates crazy bugs for you to track.

@timrwood I don't think I made my example clear. On the line m.year(2014) // clone here I meant that internally moment would actually make a clone (allocate more memory) and m would point to that new memory, automatically. Well that basically means that clone() should also allocate a bit of shell memory (something to point to the internal date representation), I'm just not sure how much would be gained by doing so.

Creating a half-assed version of clone, that clones only the interface, and the ability to change the underlying data (from shared storage to instance-specific) -- it really depends on how expensive Date objects are. The downside is that every function needs to do this._storage._d instead of this._d, and I'm not sure if that would overcome the benefit.

I didn't get any any comments on how to deal with migrating the existing libraries/users of moment. I don't really like any of the options I listed above.

Reverse-compatability is, IMO, the strongest argument against this. If we do this, we just have to accept that it's a big breaking change. If we don't want to accept that, we shouldn't do it.

It's worth mentioning re:perf that there are also some huge advantages you can gain from immutability; it's not a monotonic perf hit. For example, you can cache things at the object level, because they'll never change. I also think we should be able to optimize the living crap out of clone(); AFAIK it involves cloning a date and copying like five values; I think we should just hardcode them like newThing._offset = oldThing._offset.

Edit, arg, no - plugins add fields too (e.g. here).

given the strong desire for backwards compatibility and yet to keep thing light-weight, I think the best solution is to fork the javascript sources (either in the sources of this project or start an entirely new project). There is room for more than 1 time library for the internet.

Also: re: @ichernev's idea on structural sharing, one possibility is to use prototype inheritance instead of wrapping a shared state object.

We at WhoopInc have been lurking in this discussion for quite a while. Since the discussion here seems to be going in circles, I took some time this weekend to explore what an immutable version of moment with a builder API might look like. (I have no intention of submitting a PR against moment unless invited to do so, since I'm deliberately making more strident API changes than I would expect to ever see implemented in moment itself.) Here's the result: https://github.com/WhoopInc/frozen-moment

I'm just a few hours in, so everything is really rough around the edges, but based on test results I think most of the core moment functionality is working. I'll continue to track this conversation, and I'd welcome feedback specific to our fork in our repo's issues.

I'll try to publish some updated docs on that repo tonight, but basically I just split out all the setter and mutation methods into a separate builder object. So using the API might look like frozenMoment("2014-07-21").thaw().subtract(1, "day").startOf("day").freeze().format("YYYY-MM-DD"). (Although in this particular example it would be more efficient to just start the chain with a builder instead of initializing a builder from a frozenMoment, using frozenMoment.build("2014-07-21").subtract...)

FWIW, when I started using moment I had assumed it followed FP principles and would return the same value every time I call a function:

var now = moment();
var yesterday = now.subtract(1, 'days');
var dayBeforeYesterday = now.subtract(2, 'days');

Of course, I didn't get the results I expected. This caught me off guard as a new user.

Consider this pseudocode, which demonstrates how I would have expected the code to behave:

var now = now;
var yesterday = now - 1day;
var dayBeforeYesterday = now - 2days;

But instead it ended up working like this, which feels strange to me:

var now = now;
var yesterday = now = now - 1day;
var dayBeforeYesterday = now = now - 2days;

For now, even though it's quite tedious, I just carefully .clone() everywhere.

var now = moment();
var yesterday = now.clone().subtract(1, 'days');
var dayBeforeYesterday = now.clone().subtract(2, 'days');

IMO, Javascript is prone to subtle errors and I feel that FP principles help minimize those errors.

I sympathize that this is a hard decision to make. I appreciate your work. Moment.js is amazing.

+1 for 100% immutability.

It's honestly kind of frustrating having it not be immutable.

+1 for 100% immutability in version 3

There definitely should be an immutable API. As a user of other date libraries (notably, .NET DateTime and Joda Time / Noda Time), I intuitively expect that the add method will not mutate the date object.

+1 for immutability

+1 for 100% immutability

If the decision is made for immutability, I'd be willing to give of my time to make it happen. Perhaps pairing over a video call. I'd like to contribute more to open source but need to learn the ropes.

To me, immutability is preferable, but it should have been done from the start. This is a drastic breaking change. A fork of this project that focuses on immutability would be a better idea.

@dsherret That's what semver is for. We'd just bump the major version.

However, with some effort it could be introduced as a configuration option: "Do you want everything immutable? True or False". Default would be false.

Unsupported unofficial ymmv immutable moment plugin here: https://gist.github.com/timrwood/fcd0925bb779f4374a7c

Haha! I was surprised to come here so much later and discover that I was one of the first proponents for a more immutable API.. :)

And yes I'm +1 for immutability for next major version.

Another +1 for immutable-by-default moment from me.
And here's my 'imoment' concoction: https://gist.github.com/idrm/a91dc7a4cfb381dca24e (use at your own risk!). Just replace your moment() calls with imoment() and that should be enough. All static moment.xyz() (e.g. moment.min(), moment.max(), etc.) function calls should remain as is.

+1million dollars

+1 for immutability

May I also add a +1 to a previous suggestion from this discussion thread to rename some of the functions so they are easier to read ("startOf" to "toStartOf", "add" to "plus", "month" to "withMonth", etc.)? That is, assuming you take the immutable-by-default route. I use Joda Time a lot, and it's a snap to figure out what, for example, "date.withDayOfMonth(1).withDayOfWeek(DateTimeConstants.MONDAY)" means.
These don't have to be in the main distro JS, either; an add-on that slaps these on top of the vanilla JS would work just as well (heck, I am strongly considering writing such a Joda Time-aligned add-on myself to combine with my "imoment" mod).

@ichernev, @icambron, have you made a decision on this? Will moments will be immutable in 3.0? If so: when do you expect 3.0 to be out? I am asking 'cause I am considering using frozen-moment or writing a small wrapper myself – and I wonder whether I should wait.

FYI, frozen-moment has mostly been in a holding pattern recently -- I've ported a bunch of PRs from upstream Moment, but haven't really worked on any of the other refactoring that should ideally happen in that fork.

That said, frozen-moment should work great if you only need the default English locale. (Everything works for my use cases, and I've maintained Moment's high unit test coverage.) Non-English locales are broken because I didn't get them updated after porting Moment's recently refactored locale APIs.

Once we have a decision for Moment 3.0, I'll plan to work a bit more seriously on immutability work in Moment, or on the frozen-moment fork, as appropriate. My initial goal would be to fix locale support and maintain feature parity with Moment 3.0's API.

+1 for immutability

+1 for immutability. What about the format method that also mutates the object?

+1 for an immutable moment.js
Or maybe a fork of moment.js? immutable-moment.js? Since this will definitely be a breaking change.

:100:
do the imootables!

+1 these days immutability is something I expect in any good JS API

:+1: Yes please, we would very much like this. Currently we sprinkle .clone() everywhere.

+1 this would be a very nice improvement

:+1: immutable all the things

+1 for immutable

Make it all immutable. I am sick of cloning every moment(now) variable before I operate on now variable and then now is changed again.

+1 for immutability

I would not have expected startOf('day') to mutate (although I will admit its well documented if I had read more carefully). That caused a fun bug in my application.

I definitely agree that most of moment.js operators are awkward in their mutability. mmnt.startOf('day')is super counter intuitive in that is mutates mmnt.

I use moment.js for calendar type use cases with a lot of loops and date comparisons. I have hit the performance issues with clone() and they are atrocious. Having some control over what clones and what mutates is essential to me and probably others.
Even though having clone()everywhere seems awkward at first, what it does is crystal clear and made refactoring for performance super easy for me.

If every method starts blindly using clone() internally for the sake of having a nicer API, I think we'll have missed the point.

my 2¢ :-)

@jdurand I would rather explicitly mutate than explicitly clone.

@dsherret I don't mind explicitly anything. My main concern is about not implicitly cloning as it is a very costly operation.
Someone mentioned that setters would need to return a cloned copy and that scared me; It would be very inefficient.

@jdurand it might be more inefficient, but I think an implicit clone would benefit the majority of applications where the difference between cloned and mutated objects would make no noticeable difference to the end user's experience. I think developer ease and trying to prevent developer error should take precedence over a few saved milliseconds, as the majority of developers aren't doing thousands of date operations at once. For those who are, they could maybe explicitly say they want to mutate instead of cloning.

Sidenote: with this change I think some performance improvements could be made though... for example, cloning could be eliminated by instead referencing the past immutable object and then store the operation to be done for this object (ex. add(1, 'days')). The result would then only be computed by executing the operations when something like .toString(), .format(), .toDate(), .day(), etc... is called. That would be a dramatic change and it might not end up being faster... some unit tests would need to be done to compare the performance (additionally there could be other issues I haven't considered as I've never looked at any code in moment.js other than how it clones).

@dsherret I like the _builder_/_lazy_ approach; with hindsight, it should probably have been built like this from the start.
As you said, I think an immutable-ish fork with API compatibility in mind would be the best.

2 more cents:

  1. Should we really be worried about performance, when moment is clearly built for convenience rather than performance? I would think that parsing 'year' in m.add('year',1) is much slower than cloning.
  2. Unless there is a total fork (different name, different doc), it will be a pain in the ass to maintain 2 versions. I think somebody clever should come up with an idea to generate moment.immutable.min.js and moment.min.js from the same code base...

Since when are we so afraid of breaking changes? The current version is stable and people can still use it without refactoring their code base.

Maintaining two codebases is a pain, slows you down and isn't really worth it just to have a mutable/immutable version.

So let's just go with a fully immutable moment, bump the major version and be done with it :dancers:

Found this thread as I just started using this library but have been pulling my hair out debugging some code and dealing with what to me seems to be unpredictable side effects of being mutable. Would love to see a fully immutable version of the library!

Shameless plug: I got tired of waiting for a firm decision here. Over the last few days, I've resurrected Frozen Moment and re-written it to act as a plugin for Moment itself. Hat tip to @wyantb for helping me get the first preview release done over the weekend.

Frozen Moment provides an immutable type that works just like Moment. Basically, the immutable version wraps Moment's functionality and calls .clone() for you whenever appropriate.

For those who like builder APIs, I'd challenge you to think about Moment itself as a very nice implementation of a builder object! Frozen Moment adds the core immutable type that we all want, and a mechanism for building an immutable Frozen Moment from a mutable Moment.

For those who just want to work with a convenient immutable API -- well, I intend to support that, too. I haven't built a constructor that will directly build a Frozen instance yet, but that's on the TODO list. In the short term, the workaround is to create everything with moment().freeze() or moment.utc().freeze().

Frozen Moment is obviously a young codebase, so there are probably a few rough edges -- but I'd encourage anyone here to give it a try and file issues for anything that doesn't work the way you'd expect.

Oh, one more thing: I'm not advertising this yet, but Frozen Moment instances should "just work" with most Moment plugins. Just make sure that all your other Moment plugins register themselves before Frozen Moment. If you find a plugin that doesn't work as expected with immutable Frozen Moments, file a bug and I'll look into it.

+1 on immutability

+1 for immutable

Did anybody look at implementing moment on top of Immutable JS? It's an optimized library for immutability in JS, it reuses unchanged parts of an immutable object, reducing memory concerns.

So the users ask for immutability but the core team find excuses not to do it ? :p
Come on guys, this change is much more important than rewriting the code in ES6 ^^ In its current form, the API is simply bad, a bit like the JS Array one where some methods are immutable (filter, concat, etc) but some others are not (reverse, sort) except their constraint for backward compatibility is infinitely higher than for a library.

+1

a little trap that always gets me (and IMHO this is good reason for immutability):

var today = moment();
for (var i = 0; i < 7; i++) {
   week.push(today.subtract(i, 'days').format('dd').toUpperCase());
}

this sadly does not generate a array with the day names but something strange because you you actually compute the date like this:

i = 0 = today -0;
i = 1 = today -0 -1;
i = 2 = today -0 -1 -2;
etc

so you have to refactor it into this:

var today = moment();
for (var i = 0; i < 7; i++) {
            if (i == 0) {
                week.push(today.subtract(0, 'days').format('dd').toUpperCase());
            }
            else {
                week.push(today.subtract(1, 'days').format('dd').toUpperCase());
            }
        }

@faebser excellent example

+1 for immutability

+1

@faebser happened to me this morning. Angular's two-way binding + mutability makes a pain in the **s to keep cloning dates to keep off modifying the current ones.

+1 for immutability, this just cost me a couple hours.

:+1:

+1 for immutability

I'm a little torn about this topic.

The purist in me wants to shout out "+1 for immutability! Moment objects are clearly of the ValueObject kind."

However, we can't ignore that moment.js is the 13th most popular javascript repo on GitHub (and 24th all-around), and that searching for "moment" on bower.io returns 111 matched results. Even if we can provide application builders with a gradual way to implement an immutable version of moment, it's going to cause a huge mess among its dependencies.

@ichernev Perhaps a more humble suggestion: Would it be possible devote a small part of moment's documentation page to talking about mutability vs immutability? You could briefly state your official stance on the topic, and maybe add a brief summary of arguments, place a link to this thread, or if you want specific discussion input it could work like a CTA.

Right now the documentation page doesn't mention the term "immutable". Googling "moment immutable" takes you to this page, but it took me two hours reading and I'm still not sure about your current stance on the topic. It'd be great if Google's top hit for "moment immutable" gave a quick answer on the future of immutability in moment :)

To quote @jehoshua02:
"I sympathize that this is a hard decision to make. I appreciate your work. Moment.js is amazing."

Here's my proposal. Instead of making the base moment immutable, add a moment.immutable factory. It would be a property of the moment function and would enclose the same exact API signature as moment, but immutable.

It could even just be a prototype extension of the mutable moment factory, using the functions of that prototype, but cloning instead.

EDIT: It appears WhoopInc/frozen-moment is exactly what I'm looking for.

@thomasvanlankveld breaking changes are what major version numbers are for. Anyone using Bower and npm will have the option of sticking to the current major version number; we should not worry about backwards compatibility here - except maybe those people who are just serving this from CDN. But if they are using momentjs from CDN they likely aren't all that interested in updating the library from time to time anyway.

I would argue that having immutability in the next major version - or the major version after that - should be on the road map.

So looks like I just ran into this issue as well.

http://stackoverflow.com/questions/33002430/moment-js-formatting-incorrect-date

So I am all for immutability across the board.

+1 For immutability

Just lost an evening to this surprising and unexpected behaviour.
Another +1 for immutability with a corresponding major version change to make it clear.

+1 For immutability

+1 for full immutability.
The collective amount of hours lost due to "sometimes mutable, sometimes immutable" must be quite big.

Yeah I mean seriously. Who cares about performance in a datetime library? Like.. really? I'm guessing 99.9% of users aren't doing anything that even remotely requires good performance. Typically you handle a couple of dates, or in worst case a few hundred. The few users who are handling millions of dates per second can use optimised mutable API points.

Immutability is the only sane design choice. There are several studies that show that programming with immutable types is much less bug prone than with mutable types.

+1 for immutability. This cost me a couple hours.

Part of the problem is that method names like .startOf() don't imply mutation of the underlying object.

I've hit performance bottlenecks with Moment, so I can assure you that this can sometimes happen.

However, I'm not convinced that immutable moments would be inherently less efficient, and can envision a few cases where they would be more efficient.

This debate was settled a long time ago in the Java world. Immutable dates won, and the most popular implementation (JodaTime) eventually became part of the standard library in Java 8.

Working with Java 8's LocalTime has been one of those slap-your-forehead "Why didn't we _always_ do this?" moments. I rarely evangelize technologies, but I honestly can't see any upsides to mutable date objects.

So, yeah.... I hate that these threads get flooded with +1s, but the truth of the matter is that somebody else is going to create an immutable JS date library if Moment doesn't.

I recently stumbled upon a new npm module that purports to port much of the JodaTime API (ie. Java 8 dates) to JS.

This would bring things like immutability, LocalDate, and LocalTime to node and the browser.

Having worked with these concepts in Java, everything else feels kludge-y and bug-prone.

Link?

On Fri, Dec 11, 2015, 4:30 PM Andrew Schmadel [email protected]
wrote:

I recently stumbled upon a new npm module that purports to port much of
the JodaTime API (ie. Java 8 dates) to JS.

This would bring things like immutability, LocalDate, and LocalTime to
node and the browser.

Having worked with these concepts in Java, everything else feels kludge-y
and bug-prone.


Reply to this email directly or view it on GitHub
https://github.com/moment/moment/issues/1754#issuecomment-163964349.

Wout.
(typed on mobile, excuse terseness)

Since I haven't chimed in yet, I'll just state that I am in favor of immutability in moment 3.0. Primarily because I come from the DDD school of thought, where objects like moment would be considered _value objects_, and thus are best implemented as immutable.

Even if there's a significant performance hit, it's still the right thing to do. Moment should fit naturally into others' designs. Intuitive API trumps perf, and mutation is not intuitive on value objects (IMHO).

I also think moment 3.0 should remove its dependency on the Date object, but that's a discussion for a different thread.

I completely agree with @mj1856 here.

I have been using Object.freeze on moment instances and this has generally achieved what I have needed; except I just discovered that the following fails:

let now = Object.freeze(moment());
if (now.isSameOrBefore(anotherTime)) { // throws exception
}

The exception:

TypeError: Can't add property _isValid, object is not extensible
 at valid__isValid (C:\git\quick-test\node_modules\moment\moment.js:93:24)
 at Moment.moment_valid__isValid [as isValid] (C:\git\quick-test\node_modules\moment\moment.js:2195:16)
 at Moment.isSame (C:\git\quick-test\node_modules\moment\moment.js:1945:44)
 at Moment.isSameOrBefore (C:\git\quick-test\node_modules\moment\moment.js:1962:21)

Can this be fixed so that Object.freeze can be used when desired?

@wmertens I'd assume this is it: https://github.com/pithu/js-joda

@ichernev, @mj1856, as I've been haven't been involved in moment core development for a while and immutability has fairly significant interest, I'm retracting my previous stance.

I'm not sure if I was the only blocker on this, but I am comfortable moving forward with immutability in 3.0.

@gabrielmaldi @wmertens Yep. That was it. Apologies for my borderline-incoherent comment -- I clearly clicked the 'Submit' button on a halfway-written post.

To gather up some of my disjointed thoughts:

  • There is clearly some interest in immutable date objects for JS. There are mature immutable date libraries in several other languages, and there's a lot of general momentum toward immutable objects in JS (immutable.js has 10,500 stars if that's any indication). At the very least, I think this deserves a proof-of-concept.
  • In spite of this interest, very little code appears to have been written. js-joda appears to be the first serious attempt to write an immutable date library for JS.
  • Immutable moments would be a huge breaking change, which raises some philosophical questions. While I would hate to lose the support of the very large MomentJS community, it wouldn't necessarily be a horrible thing for those of us who are interested in immutable JS dates to make a clean break, and contribute to js-joda instead of trying to push a fairly radical change on Moment (a mature library with a large and established user-base).
  • Aside: js-joda is still very young, and it's unclear what the author's goals and intentions are for the library. In particular, he needs to pick a license, and we may want to consider whether the needs of the typical JS developer would be met by a faithful re-implementation of Joda Time or JSR-310.

+1 for an immutability, and the saner code that will result.

It will be a major effort, so a sincerest thank you to those who'll be (and have been) making it happen.

Moment is widely used enough that I think it'd be actionable to go with something approaching the following, assuming the is implemented similarly to @butterflyhug's https://github.com/WhoopInc/frozen-moment

3.x: immutable as an option, defaulted to false, and have a flag set on the global moment export that would set to true; console.warn on library load (in dev mode)
4.x: immutable as an option, defaulted to true, flag still available to be set as false; console.warn about schedule for 5.x (in dev mode)
5.x: immutable as the only way

Have a page up-front and center describing the long-term immutability vision - say, one major release a year along the 3.x/4.x/5.x outline I laid out - and I think it'd give a reasonable amount for anyone affected to update their code.

A few observations:

  1. I built WhoopInc/frozen-moment hoping that a bunch of folks here might be willing to build things with it, as a way to find problem points in the moment ecosystem where immutability would break plugins, etc. So far, few people have done that, which has made me less eager to work on frozen-moment and/or community evangelism to help plugin authors support immutable moments.

That said, I'm still willing to help fix bugs that people find when using frozen-moment -- regardless of whether those bugs are mine or whether they're in another moment plugin that never considered the possibility that moments might become immutable. Just file issues at frozen-moment and I'll take a look. And I still think that a community effort around something like frozen-moment could help us understand and ease the pain of a transition to immutable moments.

  1. If moment implements immutability in 3.0, it would be pretty straightforward for someone to write and maintain a wrapper to implement the mutable moment 2.x API on top of the immutable 3.x API. Conceptually, this would actually look a lot like frozen-moment: everywhere that frozen-moment implicitly clone()s, this mutability wrapper would instead implicitly change its internal reference to a new immutable moment value. This could also help ease the transition for folks using moment in large codebases.
  2. I would be willing to help think through potential issues and implement immutability in moment 3, if desired.
  3. js-joda will be directly porting JSR-310 into JavaScript using a BSD license.

@butterflyhug - Thanks for building frozen-moment! I was excited when I found that, but worried about introducing a dependency from my project to frozen-moment, given that if support was dropped changing from an immutable moment to a mutable one would be a big job in my code. If your goal was to get feedback and you're actively supporting it then I'm more comfortable doing that. :-)

I don't know how many other people might have had the same thought processes.

I'm curious if folks here think that immutability should be explored in conjunction with the notion of breaking the dependency on the Date object (or even adding in some sort of lazy evaluation) for performance reasons.

I would suggest taking things one step at a time, @schmod. This is already a (apparently) big change

@RobertMcCarter Yep, I am planning to support frozen-moment for the foreseeable future, unless/until some option for immutability gets implemented in the core library -- in large part because I'm personally using it for some things that I expect to be maintaining for a while. That said, my use cases don't span the full Moment ecosystem, so I rely on feedback and usage from other folks to help identify what's important.

+1 for immutability, after half an hour spent figuring out what happened with my app after first using endOf(). Granted I didn't read the docs carefully, I just assumed a method with that name would return the endOf the month for example, and leave the moment instance unaffected. To be honest its a surprise and I find it ridiculous that it doesn't happen this way or maybe my head is too used to the -to my opinion- enormous benefits of having a -mostly- immutable API

+1 for immutability :)

I don't care about immutability, leave this excellent libary alone!

@es6Test On what grounds do you disagree with immutability? Do you have any concrete reason other than resistance to change?

+1
I think it will ease the use of the library if it was immutable my code is full of .clone() method and sometime mutability provoke very hard to find bugs.

+1 Please, more immutability ^_^

@danpantry After making some more apps, I've changed my mind. I would prefer immutability.

But I would like to still have some vars mutable, I quite often like to add days to moments and I don't want to have to create more vars to hold the result.

@es6Test Just use let if you _really_ dislike it?

let date = moment()
// with immutability
date = date.add(5)

I'm in favour of immutability as well. That's the one feature of Python's datetime library which really makes it shine. You can throw objects around without worrying about something modifying them, just like with character strings.

In React / Redux world, immutability is super paramount. I ran into some gnarly issues already because moment isn't intrinsically immutable. Performance is irrelevant here since it can be mitigated. ImmutableJs library from Facebook proves that immutable can be done without sacrificing performance.

I also will +1 on immutability all the way. You don't get any benefit of immutability until then, so there's no point in doing in half way.

Immutability and functional programming are being used more now than ever before (and I love it). I will offer my own time to contribute to this initiative. Contributors please contact me and let me know how I can be of help.

The team wanted to give an update on this since we have had so much interest.

At this time, we want you to know that we have heard your concerns. The entire maintainers team agrees that were we writing the library from the ground up, we would choose to make it immutable. However, that is not how it is right now.

As it stands, we have 4 million NPM downloads a month, along with an uncountable number of users relying on getting moment through other channels. All of these users have code that expects moment to be mutable as it is today. In addition, we have many plugins relying on moment being mutable.

The code is easy enough to write, but the support needs of this sort of change are difficult to take on as a small team doing this in our spare time. That said, we are willing to consider it. We are wondering though:

  • Why doesn't the frozen moment plugin meet your needs?
  • Do you just need an immutable API (an API that always returns a clone), or do we for some reason need to internally truly not mutate the objects?
  • Would adding a second, immutable API to the current code meet your needs?

The issue with frozen moment plugin is that it's opt-in, not opt-out. Every
moment() needs a .freeze() for it to be immutable.

The whole point of immutability is that when I have object X, I know that
unless I explicitly make it mutable, it needs to be impervious to change.
Any public function that lets me change an object internally without
explicit mutability is problematic.

I think one workaround is to do several things:

  1. Add a second immutable API to the current code
  2. Have a global moment() setting where if it's set to immutable mode, all
    moment() instances created are immutable, if a mutable call is attempted,
    will not mutate and instead error with appropriate message to use immutable
    api calls.

That I think will satisfy everyone. What do you think?

On Mon, May 23, 2016 at 12:11 PM, Maggie Pint [email protected]
wrote:

The team wanted to give an update on this since we have had so much
interest.

At this time, we want you to know that we have heard your concerns. The
entire maintainers team agrees that were we writing the library from the
ground up, we would choose to make it immutable. However, that is not how
it is right now.

As it stands, we have 4 million NPM downloads a month, along with an
uncountable number of users relying on getting moment through other
channels. All of these users have code that expects moment to be mutable as
it is today. In addition, we have many plugins relying on moment being
mutable.

The code is easy enough to write, but the support needs of this sort of
change are difficult to take on as a small team doing this in our spare
time. That said, we are willing to consider it. We are wondering though:

  • Why doesn't the frozen moment plugin meet your needs?
  • Do you just need an immutable API (an API that always returns a
    clone), or do we for some reason need to internally truly not mutate the
    objects?
  • Would adding a second, immutable API to the current code meet your
    needs?


You are receiving this because you commented.
Reply to this email directly or view it on GitHub
https://github.com/moment/moment/issues/1754#issuecomment-221062274

Eric Lau from Gmail account.

Thanks for responding @maggiepint.

  1. A few issues with frozen moment plugin: it's not the default, it requires extra work to use, there's less chance that it will be actively maintained, my assumption is that it has a performance hit (probably a very small one) over something that was built as immutable. I think the biggest problem is forgetting to use it, especially on larger projects with many engineers.
  2. The API should be side-effect free. Returning a clone is good but if you also modify the original object that would be a side-effect. The following code should in not modify start when declaring end:
start = moment();
end = start.add(10, 'minutes');
  1. Do you mean having functions like 'immutableAdd' in addition to 'add'? If so then yes technically it would, especially if you create a wrapper to use immutable functions using the same names:
import "moment/immutable";
start = moment();
end = start.add(10, 'minutes'); // immutable version of add

In my opinion this approach lends it self to a graceful upgrade for those who want to use the immutable API—existing code will still work, nobody is forced in, and requires less changes for those who do want to use the immutable API.

We have every intention of making the code side effect free. The basic pattern would be to hook into the current functions, have them call clone, and then operate on that clone.

Technically though, if you're making truly immutable code, the objects should be constructed with values that won't change. Doing so would increase the difficulty in making this change though. It's much easier to call clone and then do what we were doing before.

I second Drew's idea:

import "moment/immutable";
start = moment();
end = start.add(10, 'minutes'); // immutable version of add

That would be great since it's immutable opt-out and no changes to
function names.

On Mon, May 23, 2016 at 12:53 PM, Maggie Pint [email protected]
wrote:

We have every intention of making the code side effect free. The basic
pattern would be to hook into the current functions, have them call clone,
and then operate on that clone.

Technically though, if you're making truly immutable code, the objects
should be constructed with values that won't change. Doing so would
increase the difficulty in making this change though. It's much easier to
call clone and then do what we were doing before.


You are receiving this because you commented.
Reply to this email directly or view it on GitHub
https://github.com/moment/moment/issues/1754#issuecomment-221076796

Eric Lau from Gmail account.

@ericlau-solid

  1. Have a global moment() setting where if it's set to immutable mode, all
    moment() instances created are immutable, if a mutable call is attempted,
    will not mutate and instead error with appropriate message to use immutable
    api calls.

This will break if 2 libraries on the page expect different behaviors of moment. For example you use datepicker, which expects a mutable moment, and your own code expects immutable one -- it won't work.

Having immutable api (ala frozen-moment)

This also is not perfect, because no moment plugins will work with it. Actually, there is no way to introduce immutability AND keeping all existing plugins functional. The plugins will either not work at all, or not work with immutable moments, before someone spends the time to make them work.

import "moment/immutable";

So this is basically proposing a different library with a similar interface. Sure, it won't break code but it will likely cause confusion and make some project have the 2 versions installed (for example datepicker will take the mutable version, and you code will take the immutable one).

The best option is to pretty much make an API like the current one, but with immutable objects. A fork might be in order. That is the way of free software after all.

The "add a second API / publish a submodule" option would be best for compatibility, because developers would be able to upgrade their code incrementally. If at all possible, the meaning of moment() (via import moment; in module-land, or the moment global in the browser build) should not change at all, because there's a ton of legacy code out there.

IMO, a solution that allowed the following would be ideal:

import moment from 'moment';
import {immutable as immoment} from 'moment';

var a = moment(); // mutable moment
var b = moment().immutable(); // immutable moment
var c = immoment(); // also an immutable moment; shorthand

Not a different library, but yes -- have two separate and distinct types of moment. Assuming that the mutable and immutable moment objects share a significant amount of code "under the hood," the library size wouldn't need to increase much for developers who need to use both syntaxes. If an application only uses one syntax, tree-shaking could be used to produce an optimized build.

Forking the library would potentially double the size of the code most developers will need to load, which would be undesirable for most web applications.


I don't think that it would be a good idea to assume that any plugins will work with immutable moments "out of the box," and wouldn't consider that to be a reasonable requirement.

I also don't think it's a reasonable requirement/assumption for the mutable and immutable APIs to be identical. We should strive to make the upgrade path as smooth as possible, but shouldn't lock ourselves into any awkward syntaxes.


I also think there's a lot of room for debate/argument about what the "immutable" API would look like. Builder pattern? Constructor instantiation? Value object? Implement the current API, but have any "setter" methods return a clone?

My one request is that the new API should be clear and unambiguous about which kind of moment we're working with. IMO, freeze fails that test, and offers little protection beyond calling clone() every time I pass a moment around.

So this is basically proposing a different library with a similar interface. Sure, it won't break code but it will likely cause confusion and make some project have the 2 versions installed (for example datepicker will take the mutable version, and you code will take the immutable one).

Not a separate library, just a slim wrapper around the same library. There would be only need be one version of moment installed. You may import 'moment/immutable' and datepicker may import 'moment' in the same project without issue.

There could be problem in interfacing with plugins that take in or return a moment if they have not updated to handle immutable moments.

Say you you pass an immutable moment to a plugin which, at present, treats it as mutable. Until the plugin is updated, there would need to be a way to convert to mutable before a moment is given to the plugin. Ideally it would be deprecated after project maintainers have some time to bake in support for immutability. There would also probably need to be a way to detect immutability (for plugin authors).

On the flip side a library that updates to use the immutable interface, and returns an immutable moment to users, may throw off those who don't use immutability and aren't expecting an immutable moment. I believe this can also be handled by a de-be-deprecated method for conversion. Plugins should return a moment of the same type as is passed in.

@maggiepint yes I understand your point but I think that might be too big of a leap to make. Personally I would be ok with an approach that simply clone's behind the curtain. Especially while the kinks are being worked out.

@tacomanator that's what I want to do as well. Redoing the whole thing to be truly immutable internally is not terribly tenable.
I just didn't know if for some reason people WANTED that though.

@schmod Could you briefly elaborate on why you don't think freeze is a clear and unambiguous API?

If the function name is too cute, I'd be happy to consider an argument for renaming Frozen Moment's methods as an issue on that repo. On the other hand, if you don't think it should be possible to convert from mutable to immutable (and back), then I suspect that might prompt some discussion here -- although note that I'd also be willing to take Frozen Moment in that direction if we get a rough consensus that that'd be a better API.

@maggiepint Am I correct in reading "add a second, immutable API to the current code" as basically bundling part or all of Frozen Moment with the core library? If it'd be helpful, I'd be happy to help migrate Frozen Moment or some of its ideas into the moment organization (either as an official plugin or as part of the core library) and help with its maintenance in that new context.

@butterflyhug You are saying exactly what @ichernev was thinking. He was leaning toward official plugin that shipped with the library. Maybe we could coordinate over this in Gitter at some point? I have to be away for three days on business, so I'll have limited availability. Rest of the guys should be around.

@butterflyhug

I think that freeze is a fine name, it just sucks to have to remember to use it after _every single_ invocation of moment.

I also think that import 'moment/immutable' has the same issues, it's easy to forget to it.

Honestly, you're following semver, I think the correct approach is to make everything use immutable _by default_ and release this change as it's own major version, with a plan to no longer support older versions after a time period (12 months?). New features / fixes could be merged into both tracks, immutable and mutable, with a migration plan given to users using the mutable version.

After the aforementioned 12 months, the old versions would _still_ work, but they would not receive any TLC.

Of course, this is a lot of overhead, but I think it would be better to do this change right than try and fudge it in the interests of backwards compatibility. It also makes the change a lot more complicated which may dissuade interest from the core development team. I dunno.

Another potential downside of this approach is where users are using this script from a CDN and not specifying an explicit version (for whatever reason), which may cause their sites to break if a backwards compatible API is released. All I can say there is "I told you so", but I understand that this may not be an acceptable risk for moment.

Having two versions of the same library would only be an issue if you're relying on a global object and there's not really a neat way around that other than just continuing to use freeze().


TLDR is it sounds like the problem you're trying to solve is solved by semver, which you're already using. Why not just use it as it should be used? Major version for breaking changes. The only occasion this breaks is when you're relying on a global moment variable & using a CDN, but any change we make here will break that anyway

My vote is also on semver and immutable 3.0 release.

I don't object to the freeze name, but find it inherently problematic that it's difficult to make safe assumptions about whether or not a moment is frozen. (Object.freeze() has a similar issue)

An immutable moment should not be un-freezable, and there should never be any doubt about whether or not it is frozen. This could be accomplished via a strict variant of the builder pattern (ie. the object _only_ has setters until .build() is called, after which it _only_ has getters), or having a the moment be "frozen" as soon as it's instantiated, with all of the setters returning a clone.

For example:

/* BUILDER PATTERN */
var bldr = moment.immutable()
  .hours(5)
  .minutes(30)
  .seconds(25);

bldr.hours();  // throws exception.  builder has no getters

var time = bldr.build();

time.hours(); // 5
time.hours(6); // throws, OR returns a clone

/*  A more explicit variant:  */
var bldr = moment.immutable()
  .setHours(5);

bldr.getHours; // undefined

var time = bldr.build();
time.getHours(); // 5
time.setHours;   // undefined
/* VALUE OBJECT */
var time = moment.immutable()   // 00:00:00
  .hours(5)       // new object => 05:00:00
  .minutes(30)    // new object => 05:30:00
  .seconds(25);   // new object => 05:30:25

/*  Same thing, but more efficient:  */
var time2 = moment.immutable(5,30,25); // 05:30:25

time.hours();   // 5
time.hours(6);  // new object => 06:30:25

The first example is very java-like, but also leaves little ambiguity about how moments are constructed, and what you can do with them. It also provides an efficient and intuitive path for constructing new moments with little overhead, and closely follows how most people currently use moment.

I'd be in favor of having setters on built moments throw exceptions, as this behavior would further reduce ambiguity (at the expense of verbosity), and force developers to acknowledge whenever they are creating new moments.

The second example seems like it has a lot more overhead, because we're creating (and discarding) lots of objects. But, there's a lot of room for optimization. Modern GC is pretty good; lazy evaluation could help; we could make Moment objects as lightweight as possible (dropping the underlying Date), etc. (For some comparison, this pattern is not unlike the way that strings are handled in JavaScript)


I'm a fan of semver, but the browser use-case makes breaking changes problematic, because it'll be impossible to have two versions of moment on the same page without a module-loader.

As previously mentioned, there's a _lot_ of legacy code out there that depends on Moment. At the very least, we need a release that supports both patterns, to allow for a smooth transition period.

+1 for composable methods that return new moments. I don't even care if they're immutable. Just give me composition, so I can can chain methods together, or assign the mutated moment in one line (instead of 2).

@alexyuly why doesn't clone work for you? If you want to compose inline you can do something like:

var a = moment();
var b = a.clone().subtract(1, 'week').startOf('day');

Or whatever.

@maggiepint Well I feel foolish, it looks like you could compose methods all along. Thanks for the tip. Maybe make it a little clearer in the docs? e.g. http://momentjs.com/docs/#/manipulating/start-of/ <- no mention of any return value.

Little update - this blog post is MY position on this issue at this time: https://maggiepint.com/2016/06/24/why-moment-js-isnt-immutable-yet/

I don't speak for the rest of the team, but they have seen it, and I'd generally say we're all in a similar place.

@maggiepint great and very valid points

Thanks for this. Immutability is king in redux, so I will switch to js-joda for sure. I may still keep moment for relative time.

Eric Lau - Gmail

On Fri, Jun 24, 2016 at 11:12 AM -0700, "Maggie Pint" [email protected] wrote:

Little update - this blog post is MY position on this issue at this time: https://maggiepint.com/2016/06/24/why-moment-js-isnt-immutable-yet/

I don't speak for the rest of the team, but they have seen it, and I'd generally say we're all in a similar place.


You are receiving this because you were mentioned.
Reply to this email directly, view it on GitHub, or mute the thread.

Some more typical bugs/confusion caused by mutation: http://stackoverflow.com/questions/26131003/moment-js-start-and-end-of-given-month

+1 for this but actually with Redux I have found this to be surprisingly small issue because I don't put Moment instances into the Redux state object at all. Only the date strings or timestamps and I use Moment in the render methods just to convert the date strings to other strings.

I do this mainly because then it is easy to serialize and deserialize the state without any extra work but it also hides the mutation nicely from React and Redux.

Doing my best to get you an update on this one this weekend. We have a plan, but I need to make sure it's all going to work out before I commit to it. Unfortunately I'm moving from Minneapolis to Seattle next week, so this may slow down for a time, but I want to move it forward.

Small update in preparation for a bigger update, since I've noticed that that blog post is still getting some traffic. I am currently re-working moment's build to use Babel. This stages us to bring in @butterflyhug's plugin to the core repository, and make it officially supported. In the process, we are going to clean up some things about the plugin. @butterflyhug has very graciously been helping us a ton with this. In addition, I'm meeting with John-David Dalton of LoDash (we both work at Microsoft) to discuss strategy when bringing in an official plugin, as he already did it with LoDash functional. Long blog post and RFC coming soon.

@maggiepint while making frozen-moment officially supported, are you planning on addressing https://github.com/WhoopInc/frozen-moment/issues/20?

I think that this approach to immutability is good enough as long as every call to moment() returns a frozen moment by default, and devs don't have to remember calling .freeze() every time.

@gabrielmaldi Good question. I'm writing the RFC (should be done any day now), and yes, it is my explicit goal to provide a better story for immutable-only use. My proposal is along the lines of my comment on WhoopInc/frozen-moment#20, taking static methods into account. I'll post a link to my RFC here and in that issue when I open my PR against the RFC repo, and we'd certainly welcome community feedback on the proposal at that time.

I've finished writing the draft RFC and opened a PR.

It's quite a long document, in part because there's still a few outstanding questions about how we'll want to deliver this functionality to users and so I'm trying to highlight the pros and cons of various approaches there. But I think the implementation ideas are pretty solid, so I'd love to hear from folks here if you have reservations about the proposed user-facing API.

Executive summary of RFC with our primary questions to be answered: https://maggiepint.com/2016/07/16/immutability-its-happening/

@maggiepint I tried to post a comment on that article, but for some reason it was swallowed. Here's what I wrote:


My biggest concern with these changes is that they respond to a disproportionately vocal and expressive part of the community - avoiding the quiet bulwark of ordinary developers who aren't even aware this discussion is taking place.

GitHub's threads are not a microcosm of the wider development community. This site suffers the same participation bias as many forums on the web, and is biased towards a certain kind of developer: intellectually engaged with the theory of computing; interested in ideas rather than applications; and dare I even say socially inclined to rallying around popular trends. These developers are naturally attracted to philosophical cause célèbres like immutability and functional programming, and have closer access to you than any other group. They will be the loudest voice in the room, and they will clamour for this change - but what of the wider world?

The wider world wants Stuff That Works. It wants to know that the library it currently uses will continue receiving updates - bugfixes at least, but ideally small incremental improvements that make their lives better. But it does not say so, because it does not actively seek out these forums, and because it takes a thick skin to speak out against the trend.

If you are intent on this change, I think you will need to make a very clear case to these people why this change will make their lives better; why they should upgrade; why they needn't worry their legacy projects won't receive indirect bugfixes; and essentially - what things they will now be able to do that they could not presently.

I also think you should also be very careful to validate the importance of this change in real terms. I wonder if you should release this change as a plugin or wrapper, and monitor its uptake carefully over several months before merging it into trunk. If immutability has been over-represented as a niche concern, you will have found a way to satisfy these vocal users without changing the course of the library as a whole.

As a first time user I ended here after some time lost with startOf endOf. These methods are surprisingly mutating!

+1 for full immutability

Maybe another solution is to make it painfully obvious that objects in momentjs are mutable. The documentation does mention it in the cloning section, but it is NOT salient enough.

Another solution,If you want mutability use Object Oriented concepts and create object creation using the NEW keyword vs the moment() factory pattern.

The wider world wants Stuff That Works.
...you will need to make a very clear case to these people why this change will make their lives better

Everybody i have witnessed being new to moment falls into the trap of "moments" being mutated.
Even after 3 years of using moment i still have to tell myself "oh shit you are using .startOf here .. better check twice if you need a copy".

The current behaviour is not intuitive and this is a long time overdue.
Try to make array.filter/map mutate and see how much fun that is.

Regarding...
Performance/Memory: I have never chained more than 2 funcs in moment and usually it's .set().get()
Pseudo-Immutability: It will take many many many generations until the java-pass-by-ref-gen is out.

I like @AdamHess' idea about choosing whether you're looking for OOP or immutability.

My two cents about why we get confused is this: return values. If moment.add('1', 'days') was returning undefined, like mutable functions in JS generally do, then the confusion would go away. Returning the same object, for me at least, implies I have a new copy. Of course, that would break chainability.

I think there is a low likelihood of hitting memory use issues for more developers (except for special use cases). Moment's mutability has already bitten me though. Dates should be treated as values like a string or number.

+1 for immutable by default

This same issue exists for PHP, by the way. Do you want to be like PHP?! 😆

In PHP, they solve it by providing DateTimeImmutable (in addition to the normal DateTime).

If we don't change the default behavior to be immutable, we should at least consider a first-class alternate API like imoment/momenti (or whatever). I would literally always use that though (over the mutable API) and I would hope that any other library I'd use would be using the immutable version/API too.

I vote for immutability too, I'm willing to help with implementing if that's the plan. I already ran into mutability issues when doing addition and substraction, what makes it more confusing even, is that these methods do return the instance because of chaining.

By the way how about cloning durations? What's the best way of doing that, couldn't find any that did not feel hacky.

@ngerritsen I believe the best available option is moment.duration(existingDuration).

Re: implementation, #3548 is still an active PR. Hopefully there isn't much code-level work left, but it never hurts to have more eyes to validate big changes. We also need to work on documentation and etc before we can do a major version bump, which will be necessary in order to release a change like this. If you'd like to help with any of this list, I'm sure we'd appreciate it. 😀

Just spent an hour trying to identify a subtle bug caused by .startOf() mutating the original date... Thanks for the hard work, momentjs did a great job showing how to build an excellent date lib for JS, but I'm switching to date-fns because of the very subtle nature of this kind of bugs and because after my introduction to some general FP concepts (mostly thanks to React, Redux and ELM) I started to appreciate the general benefits of immutability.

For what it's worth, lodash has already followed a more FP approach with lodash/fp. I'd suggest having a look at the way lodash/fp has been implemented because they wrap their existing functions instead of having to complete rewrite everything. Lodash guys are also very very concerned about performance.

I also agree with @mull, the real problem is due to the chaining API for me, which IMO has some big design flaws not just in this case but more generally (e.g. jQuery). I'd be better to me if method mutating dates would return undefined (at least this is the general rule I apply to the code I write)

While moment.frozen namespace is in the works, I'd recommend --as previous poster suggested-- to just use date-fns.

Just fixed another bug due to mutable moments 🎉

Tangentially related, it would be awesome if 3.0 could move to ES6 classes:

let mom1 = new Moment();
let mom2 = Moment.parse('2019-03-01T14:55');
// etc

Such a move could also guide the immutability discussion. I'd say all methods should be immutable with one exception. A method called .set('minute/hour/year/etc', 18).

I just started using Moment, and was _horrified_ that this library was not entirely immutable from the start. I am using moment-immutable until this gets fixed.

@alancnet moment will probably never be changed. It's too much of a change and there is enough push back from users who learned to embrace the current behaviour.

Check out their new project: luxon
It's very nice, modern, immutable(!) and should perform way better than moment-immutable which just wraps everything in .clone() calls.

For those who'd like to transition from momentjs to a modern approach, please check out https://github.com/you-dont-need/You-Dont-Need-Momentjs

Very surprised it is mutable!

How far is luxon to being a replacement? One of the reasons I'm using Moment.js is timezone support - it is a must for my project.

@alamothe That question is clearly answered on the website: https://moment.github.io/luxon/docs/manual/moment.html

Closing this. As others have pointed out, use Luxon if you want a mostly immutable API. Thanks.

Was this page helpful?
0 / 5 - 0 ratings