2

私は多言語サイト (EN と FR) を作成しています。ユーザーが選択した場合は、クリックで前後に切り替える必要があります。私は Flask-Babel を使用しており、翻訳とトグルはクリック時に正しく機能していますが、URL も翻訳する必要があります。現在、英語とフランス語の両方の URL を使用して、URL ルートを次のようにラップしています。

@main.route('/accueil')
@main.route('/home')
def index():
    return render('index.html', {})

@main.route('/a-propos-de-nous')
@main.route('/about-us')
def about():
    return render('about.html', {})

言語を取得してトグルする残りのコードは次のとおりです。

app = Flask(__name__, static_folder=settings.STATIC_ROOT)
main = Blueprint('main', __name__, url_prefix='/language/<lang_code>')

@app.url_defaults
def set_language_code(endpoint, values):
    if 'lang_code' in values or not session['lang_code']:
        return
    if app.url_map.is_endpoint_expecting(endpoint, 'lang_code'):
        values['lang_code'] = session['lang_code']

@app.url_value_preprocessor
def get_lang_code(endpoint, values):
    if values is not None:
        session['lang_code'] = values.pop('lang_code', None)

@app.before_request
def ensure_lang_support():
    lang_code = session['lang_code']
    if lang_code and lang_code not in app.config['SUPPORTED_LANGUAGES'].keys():
        return abort(404)

@babel.localeselector
def get_locale():
    if session.get('lang_code') is None:
       session['lang_code'] = request.accept_languages.best_match(app.config['SUPPORTED_LANGUAGES'].keys())
    return session['lang_code']

ユーザーがリンクをクリックして言語を変更するテンプレートは次のようになります。

{% if session['lang_code']=='en' %}
    {% set new_lang_code='fr' %}
{% else %}
    {% set new_lang_code='en' %}
{% endif %}
<li><a href="{{ request.path|replace("/"+session['lang_code']+"/", "/"+new_lang_code+"/") }}">{{ _('Fr') }}</a></li>

私は Python/Flask の経験がほとんどないため、翻訳された URL に切り替える最善の方法に苦労しています。どうすればこれを行うことができますか?任意の情報をいただければ幸いです。前もって感謝します。

4

1 に答える 1

2

私は解決策を見つけました!次のように URL ルートにエンドポイントを追加する必要がありました。

@main.route('accueil', endpoint="index_fr")
@main.route('home', endpoint="index_en")
def index():
    return render('index.html', {})

@main.route('a-propos-de-nous', endpoint="about_fr")
@main.route('about-us', endpoint="about_en")
def about():
    return render('about.html', {})

これにより、残りのテキストと同様に、Babel を使用して URL エンドポイントを翻訳し、セッションから正しい URL 末尾と言語コードを取得することができました。トグルは次のように機能します。

{% if session['lang_code']=='en' %}
    {% set new_lang_code='fr' %}
{% else %}
    {% set new_lang_code='en' %}
{% endif %}

<li><a href="{{ url_for(request.endpoint|replace("_"+session['lang_code'], "_"+new_lang_code))|replace("/"+session['lang_code']+"/", "/"+new_lang_code+"/") }}">{{ _('Fr') }}</a></li>
于 2016-06-28T13:57:29.240 に答える