In my code below I am taking the split_message list and querying an API. If there are no results, my next step would be to decrement the index of the list by -1, so I remove the last item from the list and retry the search. If there are no results again, I would like to repeat the process until I receive results.
import requests
import json
message = "if i can\'t let it go out of my mind"
split_message = message.split()
length = len(split_message)
def decrementList():
initial_request = requests.get('http://ws.spotify.com/search/1/track.json?q='+"%20"
.join(split_message[:]))
json_string = initial_request.content
json_dict = json.loads(json_string)
num_results = json_dict['info']['num_results']
if num_results == 0:
print "Sorry, no match!"
if num_results > 0:
print "Result found!"
decrementList()
Effectively, my next step would be to take this:
requests.get('http://ws.spotify.com/search/1/track.json?q='+"%20"
.join(split_message[:]))
and turn it into this:
requests.get('http://ws.spotify.com/search/1/track.json?q='+"%20"
.join(split_message[:-1]))
and then this:
requests.get('http://ws.spotify.com/search/1/track.json?q='+"%20"
.join(split_message[:-2]))
And repeating until I get a match.
I can think of extremely non-pythonic ways to do this, but it seems like way too many if statements. So what would be the best and most pythonic solution to what I am trying to accomplish?
EDIT
Actually, I like this version more. A bit cleaner IMHO.
Got the
list.pop
inspiration from @falsetru, see other answer.ORIGINAL ANSWER
Maybe this is more to your liking:
The key is
[words] + [words[:-x] for x in range(1,len(words))]
. Assumingwords = message.split()
, you get the listWhich I believe does what you want, and it's arguably 'Pythonic'. The function will break out of the loop as soon as you get the results you want. It returns both the number of words you had to remove from the list to get some results, as well as the JSON dict resulting from the request.