51

for the following code

a =func()
if a != None:
 b.append(a)

a can be assigned to None, is there a way to avoid the if statement and only use one line of code?

original problem is the following

import xml.etree.ElementTree as etree
r = etree.parse(f).getroot()
b = etree.Element('register',{})
a = r.find('tag_name') # a may get None if did not find it
if a != None:
 b.append(a)

ok, I used all the answers and got this, personally I think it's the most complex python I have ever wrote so far, lol

NS_MAP = {
 'spirit' : 'http://www.spiritconsortium.org/XMLSchema/SPIRIT/1.4',
 'app' : 'http://www.app.com/SPIRIT-app'
 }
mp=etree.Element('MemoryProperty', {'version':'alpha'})
mpt=etree.ElementTree(mp)
def copy_tags(tp, op, p, tn, ns='spirit'):
 c = p.find('{%s}%s'%(NS_MAP[ns],tn))
 if c is not None:
 (op == '<-') and tp.append(c)
 return c 
for reg in regs:
 te = etree.Element('register',{})
 copy_tags(te,'<-',reg,'name')
 copy_tags(te,'<-',reg,'addressOffset')
 copy_tags(te,'<-',reg,'access')
 (lambda e, t: copy_tags(te,'<-',t,'usageConstraints',ns='app') if t is not None else None)(te, copy_tags(te,'|',reg,'vendorExtensions'))
 mp.append(te)
mpt.write('map_gen.xml')
Jonas
129k103 gold badges328 silver badges405 bronze badges
asked Jan 11, 2012 at 20:58
14
  • Something like this? b = [x for x in funcList if x is not None]? It's hard to tell what exactly you're trying for here.
    brc
    Commented Jan 11, 2012 at 21:01
  • 4
    It's generally considered to be a bad idea to compare objects to None using == or !=. 'is' or 'is not' are the preferred ways to check if an object is a reference to None. (== and != are essentially co-ercing None into a boolean, numeric or string value for the comparison and can thus be semantically wrong). Commented Jan 11, 2012 at 21:03
  • b is actually a class of xml.etree.ElementTree so, I am not sure the [] notation can work.
    Jerry Gao
    Commented Jan 11, 2012 at 21:04
  • I think he is complaining about the fact that he only wants to append the result of func() if it is not null. But, since he has to check, he has an awkward if statement there. Commented Jan 11, 2012 at 21:05
  • @JerryGao: tell us exactly what are you trying.
    RanRag
    Commented Jan 11, 2012 at 21:05

9 Answers 9

46

If you can call func() beforehand, and you want to combine the test and assignment statements into a single statement, then you can do this, with an if-else expression:

b += [a] if a is not None else []

If a is not None, then this will add [a] to b -- essentially the same operation as b.append(a)

If a is None, then this will add [] to b, which will leave b unchanged.

This won't work unless b is a list, or at least supports "+=" in-place addition. If it doesn't -- perhaps it's some custom object, then you should be able to do this:

(b.append(a) if a is not None else None)

This is an expression, evaluated for its side effects, and then thrown away. If a is None, then the b.append(a) call will never be executed. In either case, the value of the expression is None, but we don't care about it, so it gets ignored.

Now, if you want to combine the func() call with this, then you'll have to do something different in order to avoid calling func twice. If you can use the "+=" syntax, then you can do it like this:

b += filter(None, [func()])

filter(None, <list>) returns the list with all false elements (None included, but also 0 and []) removed. This statement, then, will add either [func()] or [] to b.

[Edited]

Finally, for the worst case scenario: If you can't call func() more than once, and you can't use b += <list>, and you need to accept 0, "", [], etc, and only exclude None, and you need it all on one line, here's the ugliest line of code yet:

(lambda l, a: l.append(a) if a is not None else None)(b, func())

This is essentially @ekhumoro's solution, compressed into one line. It defines an anonymous function, calls it, discards the value, and then discards the function, all for the sake of the side effect.

Now, this is a single line, but it's certainly not easier to read or understand than the original code. If I were you, I'd stick with the original, or go with @ekhumoro's idea of just defining a helper function and using that.

answered Jan 11, 2012 at 21:05
8
  • Problem is, where do you call func()? You probably don't want to call the thing several times. I'd be really interested in seeing this solution where a is replaced with a function call that only gets called once (in one line). Commented Jan 11, 2012 at 21:05
  • b is actually a class of xml.etree.ElementTree so, I am not sure the [] notation can work.
    Jerry Gao
    Commented Jan 11, 2012 at 21:14
  • why not just b+=[a] if a else []...instead of the if part, you would still have to call a=func() beforehand. Sorry I guess that's the part you don't like
    Matt
    Commented Jan 11, 2012 at 21:22
  • where would you put a = func() in your one line?
    Jerry Gao
    Commented Jan 11, 2012 at 21:23
  • For one line I like Ian's...but it seems a bit difficult to read/overkill
    Matt
    Commented Jan 11, 2012 at 21:28
40

python 3.8 walrus operator

if a := func(): b.append(a)
answered Oct 4, 2019 at 20:07
2
  • 6
    This is just beautiful :) Commented Nov 21, 2020 at 18:40
  • Exactly what I was looking for, I didn't know that existed - thanks a lot :)
    Xhattam
    Commented Oct 2, 2024 at 10:37
6

You asked the wrong question here. The clue is in your reply to one of the comments where you say "I have 10+ tags, if I can get 3 line to 1 line, I will save 20+ lines".

So your problem actually is not that you have 3 lines of code but that you are needlessly repeating 3 lines of code over and over. You could use a function to extract the repeated lines, but it sounds like in this case you may actually want a loop:

THE_TAGS = ('tag1', 'tag2', 'and so on')
for tag in THE_TAGS:
 a = r.find(tag) # a may get None if did not find it
 if a != None:
 b.append(a)

Or if you need to append to different lists:

def extract_tag(r, tag_name, to):
 a = r.find(tag_name) # a may get None if did not find it
 if a != None:
 to.append(a)
extract_tag(r, 'tag1', b)
extract_tag(r, 'tag2', c)
answered Jan 11, 2012 at 21:45
4
  • I was just wondering if I can avoid the if, but this is also good. the reason I did not use is because one of the tag had a different namespace, only one...
    Jerry Gao
    Commented Jan 11, 2012 at 21:58
  • @JerryGao: "different namespace" should not be a problem ... taglist = ["{ns1}tag1", "{ns2}tag2", etc]. Please explain. Commented Jan 11, 2012 at 22:48
  • @JohnMachin for my case it's taglist = ["{ns1}tag1", "{ns1}tag2","{ns1}tag3", ... , "{ns0}TAG"]
    Jerry Gao
    Commented Jan 11, 2012 at 23:05
  • @JerryGao: You still haven't said what is your problem with namespaces. Why can't you use this answer (or mine)? Commented Jan 12, 2012 at 0:09
2

Short answer: Not really.

Longer answer: If you really wanted to avoid this (perhaps because you want to implement this behavior --- appending only non-None values) from several different blocks of code) then you could create a class as a proxy around the underlying b object and hide the details in its append method.

class NonNoneAppender:
 def __init__(self, obj):
 if not hasattr(obj, 'append') or not callable(obj.append):
 raise ValueError, "Object must have append method"
 self.__obj = obj
 def append(self, item):
 if item is not None:
 return self.__obj.append(item)
 def __getattr__(self, attr):
 return getattr( self.__obj, attr) 

... and then you could do something like:

b = NonNoneAppender(b)

However, I'm not sure this would make any sense at all for your code.

answered Jan 12, 2012 at 1:28
2
  • 1
    and you could add a non-None extend method too Commented Jan 12, 2012 at 2:28
  • @John Machin: DOh! Ummm ... yeah, I should have. That's just 'for i in items: self.append(i)' Commented Jan 12, 2012 at 4:53
2

Attacking your real problem, and doing it in two lines for clarity:

temp = [r.find(tag) for tag in list_of_tags]
b.extend(x for x in temp if x is not None)

Note: Element.extend is new in Python 2.7/3.2

answered Jan 11, 2012 at 22:43
1
  • +1 for extend -- although you may want to note that it's Python 2.7-only. Commented Jan 12, 2012 at 0:49
1

Presumably you're not trying to remove just a single if statement from your code...

So the obvious answer is to use a function:

import xml.etree.ElementTree as etree
def append(parent, child):
 if child is not None:
 parent.append(child)
r = etree.parse(f).getroot()
b = etree.Element('register',{})
append(b, r.find('tag_name'))
answered Jan 11, 2012 at 21:37
1
  • I was just wondering if I can avoid the if, but this is also good.
    Jerry Gao
    Commented Jan 11, 2012 at 21:42
0

You can just add everything and remove Nones at the end with b = [a for a in b if b is not None]. Or, in your particular use case, you can do b.extend(r.findall('tag_name')[:1]). This may be a bit slower, however, as it will go through the whole tree, rather than stopping at the first instance.

answered Dec 28, 2022 at 1:06
0

(Should be comment to this answer but I don't have enough reputation)

Keep in mind that walrus operator can be quite surprising.

  1. Variable that walrus is assigning to will be not local to eg. if block:

    if a := func():
     b.append(a)
    print(a) # a just leaked to upper scope
    
  2. Walrus operator has low precedence, so when used in comparison must be surrounded in parentheses, or comparison will be evaluated first.

    def func(x):
     return x
    b = []
    if a := func(7) == 7:
     b.append(a)
     print(a, "appended !") # prints: True appended !
    
answered Nov 17, 2023 at 17:47
-1

b+=list(set([r.find('tag_name')])-set([None]))

But it's very ugly. A little cleaner, but also a line longer:

b.append(r.find('tag_name'))
b.remove(None)

Still not very neat though. If I were you I'd just keep that if statement.

answered Jan 11, 2012 at 21:26
3
  • -1 b.append(None) raises an exception" TypeError: must be Element, not None Commented Jan 12, 2012 at 0:11
  • I was using cElementTree. The ElementTree behaviour is IMHO a bug. See bugs.python.org/issue13782 Commented Jan 14, 2012 at 0:58
  • 1
    Another problem: If the r.find() finds something, b.remove(None) fails with a ValueError. Commented Jan 14, 2012 at 1:07

Your Answer

Draft saved
Draft discarded

Sign up or log in

Sign up using Google
Sign up using Email and Password

Post as a guest

Required, but never shown

Post as a guest

Required, but never shown

By clicking "Post Your Answer", you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.