Djangoビューでモバイルデバイスからのリクエストかどうかを検出する簡単な方法を見つけるのに苦労しています。
私はこのようなものを実装しようとしています:
#views.py
def myfunction(request):
...
if request.mobile:
is_mobile = True
else:
is_mobile = False
context = {
... ,
'is_mobile': is_mobile,
}
return render(request, 'mytemplate.html', context)
そしてmytemplate.html
:
{% if is_mobile %}
show something
{% else %}
show something else
{% endif %}
私がチェックしたすべての場所(たとえば here または here )、 minidetector が推奨されます。異なるバージョンをインストールしました:pip install minidetector
、pip install minidetector2
と、いくつかのgithubリポジトリを直接使用しますが、Python 3。
だからここに私の質問:Python 3と互換性のあるminidetectorのバージョン/フォークはありますか?そうでない場合、代替手段は何ですか?
Djangoユーザーエージェント パッケージはPython 3.と互換性があります。
上記のリンクにあるインストール手順に従うと、次のように使用できます。
def my_view(request):
# Let's assume that the visitor uses an iPhone...
request.user_agent.is_mobile # returns True
request.user_agent.is_tablet # returns False
request.user_agent.is_touch_capable # returns True
request.user_agent.is_pc # returns False
request.user_agent.is_bot # returns False
# Accessing user agent's browser attributes
request.user_agent.browser # returns Browser(family=u'Mobile Safari', version=(5, 1), version_string='5.1')
request.user_agent.browser.family # returns 'Mobile Safari'
request.user_agent.browser.version # returns (5, 1)
request.user_agent.browser.version_string # returns '5.1'
# Operating System properties
request.user_agent.os # returns OperatingSystem(family=u'iOS', version=(5, 1), version_string='5.1')
request.user_agent.os.family # returns 'iOS'
request.user_agent.os.version # returns (5, 1)
request.user_agent.os.version_string # returns '5.1'
# Device properties
request.user_agent.device # returns Device(family='iPhone')
request.user_agent.device.family # returns 'iPhone'
テンプレートでの使用法は次のとおりです。
{% if request.user_agent.is_mobile %}
Do stuff here...
{% endif %}
ただし、ミドルウェアクラスはDjango 1.10で変更されています。したがって、Django 1.10 +を使用している場合は、ミドルウェアクラス定義をこのパッケージは、この GitHub課題追跡ページ で指定されています。
この答え から始まる別の方法を見つけました。
views.py
に関数を追加することにより:
import re
def mobile(request):
"""Return True if the request comes from a mobile device."""
MOBILE_AGENT_RE=re.compile(r".*(iphone|mobile|androidtouch)",re.IGNORECASE)
if MOBILE_AGENT_RE.match(request.META['HTTP_USER_AGENT']):
return True
else:
return False
def myfunction(request):
...
if mobile(request):
is_mobile = True
else:
is_mobile = False
context = {
... ,
'is_mobile': is_mobile,
}
return render(request, 'mytemplate.html', context)