How to See if a String Contains Another String in Django Template

PythonDjango

Python Problem Overview


This is my code in a template.

{% if 'index.html' in  "{{ request.build_absolute_uri  }}" %} 
	'hello'
{% else %}     	
	'bye'
{% endif %}

Now my url value currently is "http://127.0.0.1:8000/login?next=/index.html"

Even though "index.html" is there in the string it still prints bye.

When I run the same code in a python shell it works. Not sure what the mistake is.

Python Solutions


Solution 1 - Python

Try removing the extra {{...}} tags and the "..." quotes around request.build_absolute_uri, it worked for me.

Since you are already within an {% if %} tag, there is no need to surround request.build_absolute_uri with {{...}} tags.

{% if 'index.html' in request.build_absolute_uri %}
    hello
{% else %}
    bye
{% endif %}

Because of the quotes you are literally searching the string "{{ request.build_absolute_uri }}" and not the evaluated Django tag you intended.

Solution 2 - Python

Maybe too late but here is a lightweight version :

{{ 'hello 'if 'index.html' in request.build_absolute_uri else 'bye' }}

This can be tested with Jinja:

>>> from jinja2 import Template
>>> t = Template("{{ 'hello 'if 'index.html' in request.build_absolute_uri else 'bye' }}")
>>> request = {}
>>> request['build_absolute_uri']='...index.html...'
>>> t.render(request=request)
'hello '
>>> request['build_absolute_uri']='something else...'
>>> t.render(request=request)
'bye'
>>> 

Solution 3 - Python

I am adding the negative option of "not contains":

{% if 'index.html' not in request.build_absolute_uri %}
    hello
{% else %}
    bye
{% endif %}

And:

{{ 'hello 'if 'index.html' not in request.build_absolute_uri else 'bye' }}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestioncuriousguyView Question on Stackoverflow
Solution 1 - PythonFarmer JoeView Answer on Stackoverflow
Solution 2 - PythonchenchukView Answer on Stackoverflow
Solution 3 - PythonYakir GIladi EdryView Answer on Stackoverflow