Как изменить URL GWT Place со значения по умолчанию ":" на "/"? - PullRequest
20 голосов
/ 07 апреля 2011

По умолчанию URL GWT Place состоит из простого имени класса Place (например, «HelloPlace»), за которым следует двоеточие (:) и токен, возвращаемый PlaceTokenizer.

Мой вопрос: как я могу изменить ":" на "/"?

Ответы [ 4 ]

30 голосов
/ 07 апреля 2011

Я только что создал свой собственный PlaceHistoryMapper, который напрямую реализует интерфейс вместо использования AbstractPlaceHistoryMapper:

public class AppPlaceHistoryMapper implements PlaceHistoryMapper
{
    String delimiter = "/";

    @Override
    public Place getPlace(String token)
    {

        String[] tokens = token.split(delimiter, 2); 

            if (tokens[0].equals("HelloPlace"))
                 ...
    }

    @Override
    public String getToken(Place place)
    {
        if (place instanceof HelloPlace)
        {
            return "HelloPlace" + delimiter + whatever;
        }
        else ...
    }
}

Это, конечно, дополнительный код для написания, но вы можете контролировать свою структуру URL-адресов в одном месте и использовать косую черту вместо двоеточий!

7 голосов
/ 11 мая 2012

Вот как можно настроить разделитель , используя стандартные места GWT. (PlaceHistoryMapper)

Больше ничего не нужно менять; он работает со стандартным способом использования Places и Tokenizer.

Вставить в gwt.xml

 <generate-with
  class="com.google.gwt.place.rebind.CustomPlaceHistoryMapperGenerator">
  <when-type-assignable class="com.google.gwt.place.shared.PlaceHistoryMapper" />
 </generate-with>

Добавить CustomAbstractPlaceHistoryMapper

package com.siderakis.client.mvp;

import com.google.gwt.place.impl.AbstractPlaceHistoryMapper;
import com.google.gwt.place.shared.Place;
import com.google.gwt.place.shared.PlaceTokenizer;

public abstract class CustomAbstractPlaceHistoryMapper extends AbstractPlaceHistoryMapper {
 public final static String DELIMITER = "/";

 public static class CustomPrefixAndToken extends PrefixAndToken {
  public CustomPrefixAndToken(String prefix, String token) {
   super(prefix, token);
   assert prefix != null && !prefix.contains(DELIMITER);
  }

  @Override
  public String toString() {
   return (prefix.length() == 0) ? token : prefix + DELIMITER + token;
  }

 }

 @Override
 public Place getPlace(String token) {
  int colonAt = token.indexOf(DELIMITER);
  String initial;
  String rest;
  if (colonAt >= 0) {
   initial = token.substring(0, colonAt);
   rest = token.substring(colonAt + 1);
  } else {
   initial = "";
   rest = token;
  }
  PlaceTokenizer tokenizer = getTokenizer(initial);
  if (tokenizer != null) {
   return tokenizer.getPlace(rest);
  }
  return null;
 }

}

Добавить CustomPlaceHistoryMapperGenerator

/*
 * Copyright 2010 Google Inc.
 * 
 * Licensed under the Apache License, Version 2.0 (the "License"); you may not
 * use this file except in compliance with the License. You may obtain a copy of
 * the License at
 * 
 * http://www.apache.org/licenses/LICENSE-2.0
 * 
 * Unless required by applicable law or agreed to in writing, software
 * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
 * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
 * License for the specific language governing permissions and limitations under
 * the License.
 */
package com.google.gwt.place.rebind;

import java.io.PrintWriter;

import com.siderakis.client.mvp.CustomAbstractPlaceHistoryMapper;
import com.siderakis.client.mvp.CustomAbstractPlaceHistoryMapper.CustomPrefixAndToken;

import com.google.gwt.core.client.GWT;
import com.google.gwt.core.ext.Generator;
import com.google.gwt.core.ext.GeneratorContext;
import com.google.gwt.core.ext.TreeLogger;
import com.google.gwt.core.ext.UnableToCompleteException;
import com.google.gwt.core.ext.typeinfo.JClassType;
import com.google.gwt.core.ext.typeinfo.JMethod;
import com.google.gwt.place.shared.Place;
import com.google.gwt.place.shared.PlaceTokenizer;
import com.google.gwt.user.rebind.ClassSourceFileComposerFactory;
import com.google.gwt.user.rebind.SourceWriter;

/**
 * Generates implementations of
 * {@link com.google.gwt.place.shared.PlaceHistoryMapper PlaceHistoryMapper}.
 */
public class CustomPlaceHistoryMapperGenerator extends Generator {
  private PlaceHistoryGeneratorContext context;

  @Override
  public String generate(TreeLogger logger, GeneratorContext generatorContext,
      String interfaceName) throws UnableToCompleteException {

    context = PlaceHistoryGeneratorContext.create(logger,
        generatorContext.getTypeOracle(), interfaceName);

    if (context == null) {
      return null;
    }

    PrintWriter out = generatorContext.tryCreate(logger, context.packageName,
        context.implName);

    if (out != null) {
      generateOnce(generatorContext, context, out);
    }

    return context.packageName + "." + context.implName;
  }

  private void generateOnce(GeneratorContext generatorContext, PlaceHistoryGeneratorContext context,
      PrintWriter out) throws UnableToCompleteException {

    TreeLogger logger = context.logger.branch(TreeLogger.DEBUG, String.format(
        "Generating implementation of %s", context.interfaceType.getName()));
    ClassSourceFileComposerFactory f = new ClassSourceFileComposerFactory(
        context.packageName, context.implName);

    String superClassName = String.format("%s<%s>",
        CustomAbstractPlaceHistoryMapper.class.getSimpleName(),
        context.factoryType == null ? "Void" : context.factoryType.getName());
    f.setSuperclass(superClassName);
    f.addImplementedInterface(context.interfaceType.getName());

    f.addImport(CustomAbstractPlaceHistoryMapper.class.getName());
    f.addImport(context.interfaceType.getQualifiedSourceName());

    f.addImport(CustomAbstractPlaceHistoryMapper.class.getCanonicalName());
    if (context.factoryType != null) {
      f.addImport(context.factoryType.getQualifiedSourceName());
    }

    f.addImport(Place.class.getCanonicalName());
    f.addImport(PlaceTokenizer.class.getCanonicalName());
    f.addImport(CustomPrefixAndToken.class.getCanonicalName());

    f.addImport(GWT.class.getCanonicalName());

    SourceWriter sw = f.createSourceWriter(generatorContext, out);
    sw.println();

    writeGetPrefixAndToken(context, sw);
    sw.println();

    writeGetTokenizer(context, sw);
    sw.println();

    sw.outdent();
    sw.println("}");
    generatorContext.commit(logger, out);
  }

  private void writeGetPrefixAndToken(PlaceHistoryGeneratorContext context,
      SourceWriter sw) throws UnableToCompleteException {
    sw.println("protected CustomPrefixAndToken getPrefixAndToken(Place newPlace) {");
    sw.indent();
    for (JClassType placeType : context.getPlaceTypes()) {
      String placeTypeName = placeType.getQualifiedSourceName();
      String prefix = context.getPrefix(placeType);

      sw.println("if (newPlace instanceof " + placeTypeName + ") {");
      sw.indent();
      sw.println(placeTypeName + " place = (" + placeTypeName + ") newPlace;");

      JMethod getter = context.getTokenizerGetter(prefix);
      if (getter != null) {
        sw.println(String.format("return new CustomPrefixAndToken(\"%s\", "
            + "factory.%s().getToken(place));", escape(prefix),
            getter.getName()));
      } else {
        sw.println(String.format(
            "PlaceTokenizer<%s> t = GWT.create(%s.class);", placeTypeName,
            context.getTokenizerType(prefix).getQualifiedSourceName()));
        sw.println(String.format("return new CustomPrefixAndToken(\"%s\", "
            + "t.getToken((%s) place));", escape(prefix), placeTypeName));
      }

      sw.outdent();
      sw.println("}");
    }

    sw.println("return null;");
    sw.outdent();
    sw.println("}");
  }

  private void writeGetTokenizer(PlaceHistoryGeneratorContext context,
      SourceWriter sw) throws UnableToCompleteException {
    sw.println("protected PlaceTokenizer getTokenizer(String prefix) {");
    sw.indent();

    for (String prefix : context.getPrefixes()) {
      JMethod getter = context.getTokenizerGetter(prefix);

      sw.println("if (\"" + escape(prefix) + "\".equals(prefix)) {");
      sw.indent();

      if (getter != null) {
        sw.println("return factory." + getter.getName() + "();");
      } else {
        sw.println(String.format("return GWT.create(%s.class);",
            context.getTokenizerType(prefix).getQualifiedSourceName()));
      }

      sw.outdent();
      sw.println("}");
    }

    sw.println("return null;");
    sw.outdent();
    sw.println("}");
    sw.outdent();
  }

}
4 голосов
/ 07 апреля 2011

Хороший вопрос.Проблема в том, что это жестко запрограммировано в AbstractPlaceHistoryMapper:

AbstractPlaceHistoryMapper.PrefixAndToken.toString ():

return (prefix.length() == 0) ? token : prefix + ":" + token;

AbstractPlaceHistoryMapper.getPlace (String token):

int colonAt = token.indexOf(':');
...

И AbstractPlaceHistoryMapper жестко запрограммирован в PlaceHistoryMapperGenerator.

Вероятно, можно было бы заменить генератор, предоставив собственный XML-файл модуля и реконфигурировав привязку, но в целом, я хотел бы рассмотретьэто как "в основном не настраивается".(Но см. Ответ Райли для хорошей альтернативы без декларативной конфигурации токенизатора!)

2 голосов
/ 24 ноября 2013

)

Я действительно оценил ответы, спасибо, что побудил меня оптимизировать свое время (я следил в отладчике, где вызывался мой метод getToken (), и он связывался со слушателями, обработчиками, магами и забавнымии тому подобное :-)

Так что думать о HistoryMapper идеально, но решение, если вы хотите добавить сканер, намного проще, поскольку вам просто нужно добавить дополнительный '!'после хеша закладки #!

Так что достаточно просто украсить исходный результат дополнительным символом.

public class PlaceHistoryMapperDecorator implements PlaceHistoryMapper {
private static final String CRAWLER_PREFIX = "!";
protected PlaceHistoryMapper delegateHistoryMapper;

public PlaceHistoryMapperDecorator(PlaceHistoryMapper delegateHistoryMapper) {
    this.delegateHistoryMapper = delegateHistoryMapper;
}

@Override
public Place getPlace(String token) {
    String cleanToken = token;
    if (token.startsWith(CRAWLER_PREFIX))
        cleanToken = token.substring(CRAWLER_PREFIX.length());
    else {
        if (token.length() > 0)
            System.err.println("there might be an error: can't find crawler prefix in " + token);
    }
    return delegateHistoryMapper.getPlace(cleanToken);
}

@Override
public String getToken(Place place) {
    return CRAWLER_PREFIX + delegateHistoryMapper.getToken(place);
}

}

Затем вы передаете этот новый экземпляр своему PlaceHistoryHandler, и все.

        PlaceHistoryMapperDecorator historyMapperDecorator = new PlaceHistoryMapperDecorator((PlaceHistoryMapper) GWT.create(AppPlaceHistoryMapper.class));
    PlaceHistoryHandler historyHandler = new PlaceHistoryHandler(historyMapperDecorator);

Я проверил его перед публикацией этого сообщения, оно отлично работает: -)

...