如何在不可变类中维护可变对象列表

问题描述 投票:0回答:1

我有不可变类,其中有可变类对象列表。

class Immutable
{
    final int id;
    final String name;
    final List<Mutable> list;
    Immutable(int id,String name,List<Mutable> list)
    {
        this.id=id;
        this.name=name;
        this.list=list;
    }
    
    public List<Mutable> getMutables()
    {
        List<Mutable> l=new ArrayList<>(this.list);
        return l;
    }
    
}

class Mutable
{
    String name;
    Mutable(String name)
    {
        this.name=name;
    }
}

这里我的 getMutables 方法正在创建对象并返回克隆的对象。但如果太多线程或请求访问 getMutables 方法,那么最终会创建多个对象,很快就会出现内存不足错误。

在 getMutables 方法中做什么,这样原始对象就不会被修改,也不会创建更多的对象。

java multithreading concurrency immutability mutable
1个回答
0
投票
Instead of returning new ArrayList in getMutables(), we can return unmodifibleList of Mutable objects from getMutables(). 

public List<Mutable> getMutables()
    {
        return Collections.unmodifiableList(this.list);
    }

The unmodifiable Collection method of Collections class is used to return an unmodifiable view of the specified collection. This method allows modules to provide users with “read-only” access to internal collections.

Collections.unmodifiableList(mutableList);
Collections.unmodifiableSet(mutableSet);
Collections.unmodifiableMap(mutableMap);
© www.soinside.com 2019 - 2024. All rights reserved.