質問

数値文字列の左側にゼロを埋め込む最もPython的な方法は何ですか?つまり、数値文字列は特定の長さを持ちますか?

役に立ちましたか?

解決

文字列:

>>> n = '4'
>>> print(n.zfill(3))
004

そして数字の場合:

>>> n = 4
>>> print('%03d' % n)
004
>>> print(format(n, '03')) # python >= 2.6
004
>>> print('{0:03d}'.format(n))  # python >= 2.6
004
>>> print('{foo:03d}'.format(foo=n))  # python >= 2.6
004
>>> print('{:03d}'.format(n))  # python >= 2.7 + python3
004
>>> print('{0:03d}'.format(n))  # python 3
004
>>> print(f'{n:03}') # python >= 3.6
004

文字列フォーマットのドキュメント

他のヒント

文字列オブジェクトの rjust メソッドを使用するだけです。

この例では、10文字の文字列を作成し、必要に応じてパディングします。

>>> t = 'test'
>>> t.rjust(10, '0')
>>> '000000test'

zfillの他に、一般的な文字列フォーマットを使用できます:

print(f'{number:05d}') # (since Python 3.6), or
print('{:05d}'.format(number)) # or
print('{0:05d}'.format(number)) # or (explicit 0th positional arg. selection)
print('{n:05d}'.format(n=number)) # or (explicit `n` keyword arg. selection)
print(format(number, '05d'))

文字列のフォーマットおよび f-strings

>>> '99'.zfill(5)
'00099'
>>> '99'.rjust(5,'0')
'00099'

反対の場合:

>>> '99'.ljust(5,'0')
'99000'

Python 2とPython 3の両方で動作します

>>> "{:0>2}".format("1")  # Works for both numbers and strings.
'01'
>>> "{:02}".format(1)  # Only works for numbers.
'01'

str(n).zfill(width)string s、int s、float s ...で動作し、Python 2. x および3. x です。互換性:

>>> n = 3
>>> str(n).zfill(5)
'00003'
>>> n = '3'
>>> str(n).zfill(5)
'00003'
>>> n = '3.0'
>>> str(n).zfill(5)
'003.0'
width = 10
x = 5
print "%0*d" % (width, x)
> 0000000005

すべてのエキサイティングな詳細については、印刷ドキュメントを参照してください!

Python 3.xの更新(7.5年後)

最後の行は次のようになります。

print("%0*d" % (width, x))

つまりprint()は、ステートメントではなく関数になりました。 IMNSHOの方が読みやすく、1980年1月からこの表記法を使用しているため、Old School printf()スタイルがまだ好まれていることに注意してください。新しいトリック。

ここに来た人たちは、簡単な答えではなく、理解するために。 私は特に時間文字列のためにこれらを行います:

hour = 4
minute = 3
"{:0>2}:{:0>2}".format(hour,minute)
# prints 04:03

"{:0>3}:{:0>5}".format(hour,minute)
# prints '004:00003'

"{:0<3}:{:0<5}".format(hour,minute)
# prints '400:30000'

"{:$<3}:{:#<5}".format(hour,minute)
# prints '4$$:3####'
  

<!> quot; 0 <!> quot; <!> quot; 2 <!> quotに置き換えるものを記号で示します。パディング文字、デフォルトは空のスペースです

     

<!> quot; <!> gt; <!> quot;シンボルは、すべての2つの<!> quot; 0 <!> quot;文字列の左側の文字

     

<!> quot;:<!> quot; format_specのシンボル

  

数値文字列を左にゼロで埋める最もPython的な方法は何ですか?つまり、数値文字列は特定の長さを持っていますか?

str.zfill は、特にこれを行うことを目的としています。 :

>>> '1'.zfill(4)
'0001'

要求どおりに数値文字列を処理することを特に意図しており、+または-を文字列の先頭に移動することに注意してください:

>>> '+1'.zfill(4)
'+001'
>>> '-1'.zfill(4)
'-001'

%のヘルプは次のとおりです。

>>> help(str.zfill)
Help on method_descriptor:

zfill(...)
    S.zfill(width) -> str

    Pad a numeric string S with zeros on the left, to fill a field
    of the specified width. The string S is never truncated.

パフォーマンス

これは、代替方法の中で最もパフォーマンスの高いものでもあります:

>>> min(timeit.repeat(lambda: '1'.zfill(4)))
0.18824880896136165
>>> min(timeit.repeat(lambda: '1'.rjust(4, '0')))
0.2104538488201797
>>> min(timeit.repeat(lambda: f'{1:04}'))
0.32585487607866526
>>> min(timeit.repeat(lambda: '{:04}'.format(1)))
0.34988890308886766

リンゴをzfillメソッドのリンゴと最もよく比較するには(実際には遅いことに注意してください)、それ以外の場合は事前に計算されます:

>>> min(timeit.repeat(lambda: '1'.zfill(0 or 4)))
0.19728074967861176
>>> min(timeit.repeat(lambda: '%04d' % (0 or 1)))
0.2347015216946602

実装

少し掘り下げてみると、Objects/stringlib/transmogrify.hメソッドの実装が見つかりました"nofollow noreferrer"> pad

static PyObject *
stringlib_zfill(PyObject *self, PyObject *args)
{
    Py_ssize_t fill;
    PyObject *s;
    char *p;
    Py_ssize_t width;

    if (!PyArg_ParseTuple(args, "n:zfill", &width))
        return NULL;

    if (STRINGLIB_LEN(self) >= width) {
        return return_self(self);
    }

    fill = width - STRINGLIB_LEN(self);

    s = pad(self, fill, 0, '0');

    if (s == NULL)
        return NULL;

    p = STRINGLIB_STR(s);
    if (p[fill] == '+' || p[fill] == '-') {
        /* move sign to beginning of string */
        p[0] = p[fill];
        p[fill] = '0';
    }

    return s;
}

このCコードを見てみましょう。

最初に引数を位置的に解析します。つまり、キーワード引数を許可しません。

>>> '1'.zfill(width=4)
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: zfill() takes no keyword arguments

次に、同じ長さかそれ以上かをチェックします。その場合、文字列を返します。

>>> '1'.zfill(0)
'1'

ljustrjustを呼び出します(このcenter関数は、<=>、<=>、および<=>からも呼び出されます)。これは基本的に内容を新しい文字列にコピーし、パディングを埋めます。

static inline PyObject *
pad(PyObject *self, Py_ssize_t left, Py_ssize_t right, char fill)
{
    PyObject *u;

    if (left < 0)
        left = 0;
    if (right < 0)
        right = 0;

    if (left == 0 && right == 0) {
        return return_self(self);
    }

    u = STRINGLIB_NEW(NULL, left + STRINGLIB_LEN(self) + right);
    if (u) {
        if (left)
            memset(STRINGLIB_STR(u), fill, left);
        memcpy(STRINGLIB_STR(u) + left,
               STRINGLIB_STR(self),
               STRINGLIB_LEN(self));
        if (right)
            memset(STRINGLIB_STR(u) + left + STRINGLIB_LEN(self),
                   fill, right);
    }

    return u;
}

<=>を呼び出した後、<=>は元々<=>または<=>の前にあった文字列を文字列の先頭に移動します。

元の文字列が実際に数値である必要はないことに注意してください:

>>> '+foo'.zfill(10)
'+000000foo'
>>> '-foo'.zfill(10)
'-000000foo'

整数として保存された郵便番号の場合:

>>> a = 6340
>>> b = 90210
>>> print '%05d' % a
06340
>>> print '%05d' % b
90210

クイックタイミング比較:

setup = '''
from random import randint
def test_1():
    num = randint(0,1000000)
    return str(num).zfill(7)
def test_2():
    num = randint(0,1000000)
    return format(num, '07')
def test_3():
    num = randint(0,1000000)
    return '{0:07d}'.format(num)
def test_4():
    num = randint(0,1000000)
    return format(num, '07d')
def test_5():
    num = randint(0,1000000)
    return '{:07d}'.format(num)
def test_6():
    num = randint(0,1000000)
    return '{x:07d}'.format(x=num)
def test_7():
    num = randint(0,1000000)
    return str(num).rjust(7, '0')
'''
import timeit
print timeit.Timer("test_1()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_2()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_3()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_4()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_5()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_6()", setup=setup).repeat(3, 900000)
print timeit.Timer("test_7()", setup=setup).repeat(3, 900000)


> [2.281613943830961, 2.2719342631547077, 2.261691106209631]
> [2.311480238815406, 2.318420542148333, 2.3552384305184493]
> [2.3824197456864304, 2.3457239951596485, 2.3353268829498646]
> [2.312442972404032, 2.318053102249902, 2.3054072168069872]
> [2.3482314132374853, 2.3403386400002475, 2.330108825844775]
> [2.424549090688892, 2.4346475296851438, 2.429691196530058]
> [2.3259756401716487, 2.333549212826732, 2.32049893822186]

さまざまな繰り返しのさまざまなテストを行いました。違いはそれほど大きくありませんが、すべてのテストでzfillソリューションが最速でした。

>= Python 3.6を使用する場合、最もクリーンな方法は、 f- 文字列フォーマットの文字列:

>>> s = f"{1:08}"  # inline
>>> s
'00000001'
>>> n = 1
>>> s = f"{n:08}"  # int variable
>>> s
'00000001'
>>> c = "1"
>>> s = f"{c:0>8}"  # str variable
>>> s
'00000001'

別のアプローチは、長さをチェックする条件でリスト内包表記を使用することです。以下はデモンストレーションです:

# input list of strings that we want to prepend zeros
In [71]: list_of_str = ["101010", "10101010", "11110", "0000"]

# prepend zeros to make each string to length 8, if length of string is less than 8
In [83]: ["0"*(8-len(s)) + s if len(s) < desired_len else s for s in list_of_str]
Out[83]: ['00101010', '10101010', '00011110', '00000000']

<!> quot; 0 <!> quot;を繰り返し、str(n)の前に追加して、右端の幅のスライスを取得することもできます。すばやく汚い小さな表現。

def pad_left(n, width, pad="0"):
    return ((pad * width) + str(n))[-width:]
ライセンス: CC-BY-SA帰属
所属していません StackOverflow
scroll top