0

我正在开发一个对自动机执行一些操作的程序。自动机由状态(又名节点)和转换(又名边)组成,我需要过滤它们以检索具有特定属性的集合。这个操作很容易实现,但是要执行几次,我会在上面写一点缓存。

在下面的代码片段中有我的实现,我想知道是否是过滤和记忆 observable transitions 的正确方法

public class Automata {
    private State initial;
    private Set <State> states; 
    private Set <Transition> transitions;
    private Supplier <Set <Transition>> observables;

    // ...

    public Automata() {
        this.initial = new State();
        this.states = new HashSet <> ();
        this.transitions = new HashSet <> ();

        this.observables = Suppliers.memoize(() ->
           transitions.stream().filter((t) -> 
              (t.isObservable() == true)).collect(Collectors.toSet()));
    }

    public getObservables() {
         return observables.get();
    }
}

问题:

  1. 这是对的吗?
  2. 如果转换改变了其可观察性,此信息是否也会传播给供应商?

我很抱歉我的英语很差,我希望这足够清楚。

4

1 回答 1

2
  1. 是的,这是正确的。
  2. 不,您在转换中所做的更改不会自动传播。对于这种情况,供应商 AFAIK 不适合。您需要像这里一样手动覆盖它:

    public void invalidate(){
        memorized = Suppliers.memoize(supplier);
    }
    

    如果您知道您的更新不会那么频繁并且memoizeWithExpiration您不需要可靠的读取,也可以使用。

    或者您只需要使用Cache,例如:

    CacheLoader<Key, Graph> loader = new CacheLoader<Key, Graph>() {
      public Graph load(Key key) throws AnyException {
        return createExpensiveGraph(key);
      }
    };
    LoadingCache<Key, Graph> cache = CacheBuilder.newBuilder().build(loader);
    
于 2016-03-17T12:26:45.470 回答