I am attempting to write / run a simple script that list all the points within a directory, and the subdirectories contained within.
Here is the code:
import arcpy, os
workspace = r'c:\Users\athom\Documents\ArcGIS'
txtfile = r'c:\users\athom\desktop\PointList.txt'
featureClass = []
for dirpath, dirnames, filesnames in arcpy.da.Walk (workspace, datatype = 'FeatureClass', type = 'Point'):
for filename in filesnames:
fc = featureClass.append (os.path.join(dirpath, filename))
print featureClass
openfile = open (txtfile,'a')
openfile.write(str(fc) + '\n')
openfile.close()
The script appears to work fine, as it lists the points in the Python Interpreter at the bottom of the PyScripter.
The issue is with the output to the .txt file as it comes out as the features are written as this: 潎敮潎敮潎敮潎敮潎敮 over and over and over.
I copied the characters and pasted them into a word document, but they remain as strange characters.
If the script points to a directory with only a few point features, it still outputs the same characters.
Does anyone have any suggestions? I think it may be related to this question, but am not 100% certain.
1 Answer 1
You are writing out the list object into the .txt file, this is the byte representation so that is why it comes out all funky. I think this is what you meant to do:
import arcpy, os
workspace = r'c:\Users\athom\Documents\ArcGIS'
txtfile = r'c:\users\athom\desktop\PointList.txt'
featureClass = []
for dirpath, dirnames, filesnames in arcpy.da.Walk (workspace, datatype = 'FeatureClass', type = 'Point'):
for filename in filesnames:
fc = os.path.join(dirpath, filename)
featureClass.append(fc)
print fc
openfile = open (txtfile,'a')
openfile.write(str(fc) + '\n')
openfile.close()
-
I dropped the "fc = featureClass.append(os.path.join(dirpath, filename))" part in my code and the output to the .txt file worked, but it opened very slow. This method worked much better.Adam Thom– Adam Thom2014年11月07日 22:23:11 +00:00Commented Nov 7, 2014 at 22:23
-
What I meant to say is that the "fc =" was dropped.Adam Thom– Adam Thom2014年11月07日 22:33:50 +00:00Commented Nov 7, 2014 at 22:33
-
One thing that would also be more efficient would be to just write a new txt file instead of opening and appending the file at each iteration. You could use a with statement with the 'w' mode.crmackey– crmackey2014年11月07日 22:52:15 +00:00Commented Nov 7, 2014 at 22:52