如何在 python 中将新行附加到 csv 文件

How to append a new line to a csv file in python

with open('Price.csv', 'w', newline = '', encoding= 'utf-8') as csvFile:
    csvWriter = csv.writer(csvFile, delimiter=' ')
    csvWriter.writerow("Price")

    for item in items:


        whole_price = item.find_elements(By.XPATH, './/span[@class="a-price-whole"]')
        fraction_price = item.find_elements(By.XPATH, './/span[@class="a-price-fraction"]')

        if whole_price != [] and fraction_price != []:

            price = '.'.join([whole_price[0].text, fraction_price[0].text])
            product_price.append(price)


        else:
            price = 0
   
    csvWriter.writerow(product_price)

driver.quit()

试图找出如何将价格附加到 product_price 并在末尾换行。

这是我的结果,我很困惑为什么。我是否需要单独打印行并添加新行。我以为 writerow 已经添加了一个新的换行符?

P r i c e
41.18 48.56 18.73 48.56 48.56 37.46 37.46 53.22 60.99 32.99 18.73 7.79 32.34 39.99 20.49 7.79 34.90 37.25 56.49 48.56 156.00 42.95 85.00 34.98 60.00 17.98 60.61 95.50 6.59 7.49 87.40 74.00 17.73 52.56 34.99 39.99 170.00 18.73 2.

writerow 末尾没有 s 是为了将列表中的所有值写在一行中。

并且您将所有值都放在一个列表中 - 因此它会将其视为单行。

当你找到价格时,你应该直接写行 - 但 price 必须是列表。

            price = '.'.join([whole_price[0].text, fraction_price[0].text])
            
            csvWriter.writerow( [price] )

或者您应该将 price 附加为具有单个值的列表

            price = '.'.join([whole_price[0].text, fraction_price[0].text])

            product_price.append( [price] )

之后使用 writerows 并在最后使用 s 将每个嵌套列表写为单独的行

    csvWriter.writerows(product_price)  # with `s` at the end

顺便说一句:当你写 header 那么你也应该使用 list

csvWriter.writerow( ["Price"] )

因为此时它会将 "Price" 作为字符列表

csvWriter.writerow( ["P", "r", "i", "c", "e"] )

并在字符之间写入 space。


编辑:

# PEP8: `lower_case_names` for variables `csv_file`, `csv_writer`

with open('Price.csv', 'w', newline='', encoding='utf-8') as csv_file:  
    csv_writer = csv.writer(csv_file, delimiter=' ')
    csv_writer.writerow( ["Price"] )

    for item in items:

        whole_price    = item.find_elements(By.XPATH, './/span[@class="a-price-whole"]')
        fraction_price = item.find_elements(By.XPATH, './/span[@class="a-price-fraction"]')

        if whole_price and fraction_price:

            price = '.'.join([whole_price[0].text, fraction_price[0].text])
            csv_writer.writerow( [price] )

PEP 8 -- Style Guide for Python Code