पिछली बार के बजाय पहले पुनरावृत्ति को विशेष मामला बनाने के लिए यह सबसे आसान (और सस्ता) है :
first = True
for data in data_list:
if first:
first = False
else:
between_items()
item()
यह किसी भी चलने के लिए काम करेगा, यहां तक कि उन लोगों के लिए len()
: जिनके पास नहीं है :
file = open('/path/to/file')
for line in file:
process_line(line)
# No way of telling if this is the last line!
इसके अलावा, मुझे नहीं लगता कि आम तौर पर बेहतर समाधान है क्योंकि यह इस बात पर निर्भर करता है कि आप क्या करने की कोशिश कर रहे हैं। उदाहरण के लिए, यदि आप किसी सूची से एक स्ट्रिंग का निर्माण कर रहे हैं, तो यह स्वाभाविक रूप str.join()
से for
"विशेष मामले के साथ" लूप का उपयोग करने से बेहतर है ।
एक ही सिद्धांत लेकिन अधिक कॉम्पैक्ट का उपयोग करना:
for i, line in enumerate(data_list):
if i > 0:
between_items()
item()
परिचित लगता है, है ना? :)
@Ofko के लिए, और अन्य जिन्हें वास्तव में यह पता लगाने की आवश्यकता है कि क्या बिना चलने योग्य चलने का वर्तमान मूल्य len()
अंतिम है, आपको आगे देखने की आवश्यकता होगी:
def lookahead(iterable):
"""Pass through all values from the given iterable, augmented by the
information if there are more values to come after the current one
(True), or if it is the last value (False).
"""
# Get an iterator and pull the first value.
it = iter(iterable)
last = next(it)
# Run the iterator to exhaustion (starting from the second value).
for val in it:
# Report the *previous* value (more to come).
yield last, True
last = val
# Report the last value.
yield last, False
तो आप इसे इस तरह से उपयोग कर सकते हैं:
>>> for i, has_more in lookahead(range(3)):
... print(i, has_more)
0 True
1 True
2 False