Как объявить глобальную переменную, используемую для ввода в Python - PullRequest
0 голосов
/ 06 апреля 2020

Здравствуйте, я новый пользователь Python - Может кто-нибудь помочь мне понять, почему я не могу объявить эту глобальную переменную col_number. Я хочу попробовать и использовать col_number, чтобы передать его в функцию построения. Я пытался объявить его как глобальную переменную, но я только сейчас догадываюсь - не совсем уверен, как это исправить. Спасибо

from matplotlib import style
from matplotlib import pyplot as plt
import numpy as np
import csv
# import random used for changing line colors in chart
import random
from itertools import cycle

# opens a the input file and reads in the data
with open('Test_colours_in.csv', 'r') as csv_file:
    csv_reader = csv.DictReader(csv_file)
# prints list of unique values in column 5 of csv of input file
    my_list = set()
    for line in csv_reader:
        my_list.add(line['Name5'])
    print(my_list)

# takes these unique values and creates files associated with each unique value
    for item in my_list:
        with open(item + '_'+'Test.csv', 'w', newline='') as new_file:
            fieldnames = ['Name1', 'Name2', 'Name3', 'Name4', 'Name5', 'Name6', 'Name7', 'Name8']
            csv_writer = csv.DictWriter(new_file, fieldnames=fieldnames)
            csv_writer.writeheader()

# filters the original file for each item in the list of unique values and writes them to respective file
            csv_file.seek(0)  # Reposition to front of file
            filtered = filter(lambda r: r['Name5'] == item, csv_reader)
            for row in filtered:
                csv_writer.writerow(row)

# Section of code below plots data from each of the filtered files

#
    my_color_list = ['b', 'g', 'r', 'c', 'm', 'y', 'tab:blue', 'tab:orange', 'tab:purple', 'tab:gray', 'b', 'g', 'r',
                     'c', 'm', 'y', 'tab:blue', 'tab:orange', 'tab:purple', 'tab:gray']

# ###################################################################
# ## trying to get this to do the same as the current input commands

    def get_input(prompt):
        while True:
            user_input = input(prompt).lower()
            if user_input in ('apples', 'pears', 'oranges', 'quit'):
# the user = int(0),int(1), int(2) values just assign a different column numnber
                if user_input == 'apples':
                    col_number = int(0)
                if user_input == 'pears':
                    col_number = int(1)
                if user_input == 'oranges':
                    col_number = int(2)
                if user_input == 'quit':
                    break
                return user_input
    print(get_input('Enter apples, oranges or q to quit'))
# ######end of input#########################################################################

    for item in my_list:
        print(col_number)

        x, y = np.loadtxt(item + '_'+'Test.csv', skiprows=1, usecols=[0, col_number], unpack=True, delimiter=',')
        color = random.choice(my_color_list)
        plt.plot(x, y, color, label=item, linewidth=5)

        style.use('ggplot')

    plt.title('Data v Time')
    plt.ylabel('Data')
    plt.xlabel('Time seconds')

    plt.legend()
    plt.grid(True, color='k')
    plt.show()

входной файл

Имя1, Имя2, Имя3, Имя4, Имя5, Имя6, Имя7, Имя8, Имя 1 1,10,19,4, Синий, 6,7,8 2, 11,20,4, синий, 6,7,8 3,12,21,4, синий, 6,7,8 4,13,22,4, зеленый, 6,7,8 5,14,23,4 Зеленый 6,7,8 6,15,24,4 Синий 6,7,8 7,16,25,4 Синий 6,7,8 8,17,26,4 Желтый 6 7,8 9,18,27,4, желтый, 6,7,8

1 Ответ

1 голос
/ 06 апреля 2020

Вероятно, это хорошая идея - избегать глобального состояния.

col_number ни в коем случае не является глобальным. col_number - это локальная переменная в вашей функции get_input

Чтобы сделать ее глобальной и получить к ней доступ из вашей функции, добавьте оператор global col_number в верхней части вашей функции (перед ее использованием).

Если вы измените функцию get_input(), чтобы она возвращала col_number, вам не нужно сохранять какое-либо глобальное состояние.

...