How do I create a Python set with only one element?

感情迁移 提交于 2019-12-18 13:51:29

问题


If I have a string, and want to create a set that initially contains only that string, is there a more Pythonic approach than the following?

mySet = set()
mySet.add(myString)

The following gives me a set of the letters in myString:

mySet = set(myString)

回答1:


In 2.7 as well as 3.x, you can use:

mySet = {'abc'}



回答2:


For example, this easy way:

mySet = set([myString])



回答3:


For Python2.7+:

set_display ::=  "{" (expression_list | comprehension) "}"

Example:

>>> myString = 'foobar'
>>> s = {myString}
>>> s
set(['foobar'])

>>> s = {'spam'}
>>> s
set(['spam'])

Note that an empty {} is not a set, its a dict.

Help on set:

class set(object)
 |  set() -> new empty set object
 |  set(iterable) -> new set object

As you can see set() expects an iterable and strings are iterable too, so it converts the string characters to a set.

Put the string in some iterable and pass it to set():

>>> set(('foo',))  #tuple
set(['foo'])
>>> set(['foo'])   #list
set(['foo'])



回答4:


set(obj) is going to iterate trough obj and add all unique elements to the set. Since strings are also iterable, if you pass a string to set() then you get the unique letters in your set. You can put your obj to a list first:

set(["mystring"])

However that is not elegant IMO. You know, even for the creation of an empty dictionary we prefer {} over dict(). Same here. I wolud use the following syntax:

myset = {"mystring"}

Note that for tuples, you need a comma after it:

mytuple = ("mystring",)



回答5:


If the set also isn't likely to change, consider using a frozenset:

mySet = frozenset([myString])


来源:https://stackoverflow.com/questions/19985145/how-do-i-create-a-python-set-with-only-one-element

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!