Как получить доступ к переменной из одного класса в другом классе? [C #] - PullRequest
1 голос
/ 08 августа 2011

Итак, я работаю над программой на C #, которая принимает набор текстовых файлов с разделителями в каталоге и анализирует информацию в файлах (то есть путь к файлу, имя файла, связанные ключевые слова). И вот как выглядит пример файла ...

C:\Documents and Settings\workspace\Extracted Items\image2.jpeg;image0;keyword1, keyword2, keyword3, keyword4
C:\Documents and Settings\workspace\Extracted Items\image3.jpeg;image1;keyword1, keyword2, keyword3, keyword4
C:\Documents and Settings\workspace\Extracted Items\image4.jpeg;image2;keyword1, keyword2, keyword3, keyword4
C:\Documents and Settings\workspace\Extracted Items\image5.jpeg;image3;keyword1, keyword2, keyword3, keyword4

Хорошо, мой партнер дал мне некоторый код, который делает это, но мне нужно иметь возможность получить доступ к переменной списка, которая заполняется одним из методов. Это код:

using System;
using System.IO;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace ConsoleApp
{
    public class FileIO
    {
        private static Boolean isTextFile;
        private static Boolean debug;

        private static int semiColonLoc1, semiColonLoc2, dblQuoteLoc1;
        private static int lineLength, currentTagLength;
        private static int numImages;
        private static int numFiles;
        public static List<Image> lImageSet;

        /*
          ****************************************************
          ***** CHANGE THIS PATH TO YOUR PROPERTIES FILE *****
          ****************************************************
        */
        private static readonly string propertiesFileDir = "C:/Documents and Settings/properties.properties";

        public PropertyKeys getProperties(string propertiesFileDir, PropertyKeys aPropertyKeys)
        {
            string line;
            string directoryKey = "extractedInfoDirectory";
            string debugKey = "debug2";
            string directory;

            Boolean isDirectoryKey;
            Boolean isDebugKey;

            System.IO.StreamReader file = new System.IO.StreamReader(propertiesFileDir);

            while ((line = file.ReadLine()) != null)
            {

                isDirectoryKey = false;
                isDebugKey = false;

                //  If the current line is a certain length, checks the current line's key
                if (line.Length > debugKey.Length)
                {
                    isDebugKey = line.Substring(0, debugKey.Length).Equals(debugKey, StringComparison.Ordinal);

                    if (line.Length > directoryKey.Length)
                    {
                        isDirectoryKey = line.Substring(0, directoryKey.Length).Equals(directoryKey, StringComparison.Ordinal);
                    }
                }

                //  Checks if the current line's key is the extractedInfoDirectory
                if (isDirectoryKey)
                {
                    directory = line.Substring(directoryKey.Length + 1);
                    aPropertyKeys.setExtractedInfoDir(directory);
                }

                //  Checks if the current line's key is the debug2
                else if (isDebugKey)
                {
                    debug = Convert.ToBoolean(line.Substring(debugKey.Length + 1));
                    aPropertyKeys.setDebug(debug);
                }
            }

            return aPropertyKeys;
        }

        public void loadFile()
        {

            string line;
            string tempLine;
            string fileToRead;
            string fileRename;
            string imagePath, imageName, imageTags, currentTag;
            string extractedInfoDir;
            string extension;
            string textfile = "txt";
            string[] filePaths;

            PropertyKeys aPropertyKeys = new PropertyKeys();

            //  Finds extractedInfoDir and debug values
            aPropertyKeys = getProperties(propertiesFileDir, aPropertyKeys);
            extractedInfoDir = aPropertyKeys.getExtractedInfoDir();
            debug = aPropertyKeys.getDebug();

            //  Finds all files in the extracted info directory
            filePaths = Directory.GetFiles(extractedInfoDir);
            numFiles = filePaths.Length;

            //  For each file in the directory...
            for (int n = 0; n < numFiles; n++)
            {
                int k = filePaths[n].Length;

                // Finds extension for the current file
                extension = filePaths[n].Substring(k - 3);

                // Checks if the current file is .txt
                isTextFile = extension.Equals(textfile, StringComparison.Ordinal);

                // Only reads file if it is .txt
                if (isTextFile == true)
                {

                    fileToRead = filePaths[n];
                    Console.WriteLine(fileToRead);
                    System.IO.StreamReader file = new System.IO.StreamReader(fileToRead);

                    //  Reset variables and create a new lImageSet object
                    lImageSet = new List<Image>();

                    line = ""; tempLine = ""; imagePath = ""; imageName = ""; imageTags = ""; currentTag = "";
                    semiColonLoc1 = 0; semiColonLoc2 = 0; dblQuoteLoc1 = 0; lineLength = 0; currentTagLength = 0; numImages = 0;

                    while ((line = file.ReadLine()) != null)
                    {

                        //  Creates a new Image object
                        Image image = new Image();
                        numImages++;

                        lineLength = line.Length;

                        //  Finds the image path (first semicolon delimited field)
                        semiColonLoc1 = line.IndexOf(";");
                        imagePath = line.Substring(0, semiColonLoc1);
                        image.setPath(imagePath);

                        tempLine = line.Substring(semiColonLoc1 + 1);

                        //  Finds the image name (second semicolon delimited field)
                        semiColonLoc2 = tempLine.IndexOf(";");
                        imageName = tempLine.Substring(0, semiColonLoc2);
                        image.setName(imageName);

                        tempLine = tempLine.Substring(semiColonLoc2 + 1);

                        //  Finds the image tags (third semicolon delimited field)
                        imageTags = tempLine;

                        dblQuoteLoc1 = 0;

                        // Continues to gather tags until there are none left
                        while (dblQuoteLoc1 != -1)
                        {
                            dblQuoteLoc1 = imageTags.IndexOf("\"");
                            imageTags = imageTags.Substring(dblQuoteLoc1 + 1);
                            dblQuoteLoc1 = imageTags.IndexOf("\"");

                            if (dblQuoteLoc1 != -1)
                            {
                                //  Finds the next image tag (double quote deliminated)
                                currentTag = imageTags.Substring(0, dblQuoteLoc1);
                                currentTagLength = currentTag.Length;

                                //  Adds the tag to the current image
                                image.addTag(currentTag);
                                image.iNumTags++;
                                imageTags = imageTags.Substring(dblQuoteLoc1 + 1);
                            }
                        }

                        //  Adds the image to the current image set
                        lImageSet.Add(image);

                    }

                    //  Prints out information about what information has been stored
                    if (debug == true)
                    {
                        Console.WriteLine("Finished file " + (n + 1) + ": " + filePaths[n]);

                        for (int i = 0; i < numImages; i++)
                        {
                            Console.WriteLine();
                            Console.WriteLine("***Image " + (i + 1) + "***");
                            Console.WriteLine("Name: " + lImageSet.ElementAt(i).getName());
                            Console.WriteLine("Path: " + lImageSet.ElementAt(i).getPath());
                            Console.WriteLine("Tags: ");

                            for (int j = 0; j < lImageSet.ElementAt(i).iNumTags; j++)
                            {
                                Console.WriteLine(lImageSet.ElementAt(i).lTags.ElementAt(j));
                            }

                        }
                    }

                    file.Close();

                    //  Changes destination file extension to .tmp
                    fileRename = fileToRead.Substring(0, fileToRead.Length - 4);
                    fileRename += ".tmp";

                    //  Changes file extension to .tmp
                    System.IO.File.Move(fileToRead, fileRename);
                }

                //  Not a text file
                else
                {
                    Console.WriteLine("Skipping file (no .txt extension)");
                }
            }
            Console.ReadLine();
        }
    }
}

Тем не менее, я не хочу слишком много возиться с его кодом, потому что его здесь пока нет, чтобы что-то исправлять. Поэтому я просто хочу узнать, как получить доступ к lImageSet из его кода в другом моем классе. Я надеялся, что это будет что-то вроде создания FileIO с FileIO fo = new FileIO, а затем что-то вроде fo.loadFile().lImageSet, но это не так. Есть идеи?

Ответы [ 5 ]

3 голосов
/ 08 августа 2011

Поскольку lImageSet является статическим, все, что вам нужно сделать, чтобы получить к нему доступ:

List<image> theList = FileIO.lImageSet;

Для получения ссылки на это поле не требуется создавать экземпляр объекта.

2 голосов
/ 08 августа 2011

Метод loadFile возвращает void, поэтому вы не можете использовать оператор точки для доступа к чему-либо из него. Вы хотите сделать что-то вроде этого:

FileIO fo = new FileIO();
fo.loadFile();
List<Image> theImages = FileIO.lImageSet;
2 голосов
/ 08 августа 2011

Список является статическим, поэтому вы получаете к нему доступ с именем класса:

List<Image> theList = FileIO.lImageSet
1 голос
/ 08 августа 2011

Поскольку lImageSet равно static, поэтому вам не нужно создавать экземпляр FileIO для его получения.

Попробуйте FileIO.lImageSet

1 голос
/ 08 августа 2011

Это общедоступно - поэтому из вашего класса вы можете просто получить к нему доступ:

FileIO.lImageSet

Чтобы получить значения в нем, просто выполните итерацию по нему как:

//from FishBasketGordo's answer - load up the fo object
FileIO fo = new FileIO();
fo.loadFile();

foreach(var img in FileIO.lImageSet) {
  //do something with each img item in lImageSet here...
}

РЕДАКТИРОВАТЬ : Я основывался на ответе FishBasketGordo, включив его loadFile() вызов в мой образец.

...