Revision 10014

View differences:

org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/buildNumber.properties
1
#Tue Oct 15 21:51:38 CEST 2019
2
buildNumber=109
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/resources-plugin/scripting/lib/gvsig_raster.py
1
from gvsig import *
2
from org.gvsig.fmap.dal import DALLocator
3
from org.gvsig.fmap.mapcontext import MapContextLocator
4
from org.gvsig.fmap.dal.coverage import RasterLocator
5
from org.gvsig.fmap.dal.coverage.store.parameter import NewRasterStoreParameters
6
from org.gvsig.fmap.dal.coverage.dataset import Buffer
7
from org.gvsig.fmap.dal.serverexplorer.filesystem import FilesystemServerExplorer
8
from org.gvsig.raster.fmap.layers import FLyrRaster
9
from java.lang import Byte,Short,Integer,Float,Double
10
from java.io import File
11
from java.awt.geom import AffineTransform
12
import os
13

  
14
from os.path import splitext
15

  
16
global sourceFileName
17
sourceFileName = []
18
sourceFileName.append(None)
19

  
20

  
21
##
22
#
23
# Loads the raster layer given the filepath
24
#
25
# @params rasterfile the filename of the input layer
26
#
27
# @returns None loads the raster layer 
28
def loadRasterLayer (rasterfile, mode = "r" ):
29
    ## Load a Raster file in a Layer
30
    sourceFileName[0]=rasterfile
31
    if not isinstance (rasterfile,File):
32
        rasterfile = File(rasterfile)
33

  
34
    name, ext = splitext(rasterfile.getName())
35

  
36
    view = currentView()
37
  
38
    # Get the manager to use
39
    dalManager = DALLocator.getDataManager()
40
    mapContextManager = MapContextLocator.getMapContextManager()
41

  
42
    if ext.lower() == ".ecw" or ext.lower() == ".jp2" :
43
        # FIXME
44
        pass
45
    elif ext.lower() == ".mrsid":
46
        # FIXME
47
        pass
48
    else:
49
        # Create the parameters to open the raster store based in GDAL
50
        params = dalManager.createStoreParameters("Gdal Store")
51
        params.setFile(rasterfile)
52

  
53
    # Create the raster store
54
    dataStore = dalManager.createStore(params)
55

  
56
    # Create a raster layer based in this raster store
57
    layer = mapContextManager.createLayer(name, dataStore);
58

  
59
    view.addLayer(layer)
60
    return layer
61

  
62

  
63
## @cond FALSE
64
rasterLayerExtensions = dict ()
65

  
66

  
67
class RasterLayerExtensions(object):
68
    ##This class hold aditional properties and operations need to manage the scripting raster layer
69
    def __init__(self, store=None):
70
        self.store = store
71
        self.buffer = None
72
        self.query = None
73
        self.values = None
74
        self.kernel = None
75
        self.setElem = None
76
        self.getElem = None
77

  
78
    def prepareQuery(self):
79
        ## See RasterManager in javadocs for more info
80
        self.query = RasterLocator.getManager().createQuery();
81
        ## See RasterQuery in javadocs for more
82
        self.query.setAllDrawableBands()
83
        self.query.setAreaOfInterest()
84
        self.buffer = None
85
        self.values = None
86
        self.kernel = None
87

  
88
    def loadStore (self,rasterfile, mode = "r" ):
89
        if not isinstance(rasterfile,File):
90
            rasterfile = File(rasterfile)
91

  
92
        name, ext = splitext(rasterfile.getName())
93

  
94
        dalManager = DALLocator.getDataManager()
95

  
96
        if ext.lower() == ".ecw" or ext.lower() == ".jp2" :
97
           # FIXME
98
           pass
99
        elif ext.lower() == ".mrsid":
100
           # FIXME
101
           pass
102
        else:
103
           # Create the parameters to open the raster store based in GDAL
104
           params = dalManager.createStoreParameters("Gdal Store")
105
           params.setFile(rasterfile)
106

  
107
        # Create the raster store
108
        dataStore = dalManager.createStore(params)
109
        return dataStore
110

  
111
    def createBuffer(self):
112
        if sourceFileName[0] == None:
113
            self.buffer = self.store.query(self.getQuery())
114
        else:
115
            queryStore = self.loadStore(sourceFileName[0])
116
            self.buffer = queryStore.query(self.getQuery())
117
        #print self.buffer.getBandCount()
118

  
119
    def createNewBuffer(self,width, height, bandcount, datatype):
120
        if self.store != None:
121
            raise RuntimeException("Can't create a new buffer associated to a store")
122

  
123
        # FIXME: workaround to work with a jython bug passing byte, short and
124
        # double values as parameters
125
        if datatype in (Buffer.TYPE_BYTE, Buffer.TYPE_SHORT, Buffer.TYPE_INT):
126
            datatype = Buffer.TYPE_INT
127
        else:
128
            datatype = Buffer.TYPE_FLOAT
129
        # End workaround
130

  
131
        #print "---->>>>Buffer", datatype, width, height, bandcount
132
        self.buffer = RasterLocator.getManager().createBuffer(
133
            int(datatype),
134
            int(width),
135
            int(height),
136
            int(0 if bandcount is None else bandcount),
137
            True
138
        )
139
        self.prepareBuffer(self.buffer)
140

  
141
    def prepareBuffer(self, buffer):
142
        def setElemByte(buffer, line, col, band, data):
143
            buffer.setElem(line, col, band, Byte(data).byteValue())
144

  
145
        def setElemShort (buffer, line, col, band, data):
146
            buffer.setElem(line, col, band, Short(data).shortValue())
147

  
148
        def setElemInt(buffer, line, col, band, data):
149
            buffer.setElem(line, col, band, Integer(data).intValue())
150

  
151
        def setElemFloat(buffer, line, col, band, data):
152
            buffer.setElem(line, col, band, Float(data).floatValue())
153

  
154
        def setElemDouble(buffer, line, col, band, data):
155
            buffer.setElem(line, col, band, Double(data).doubleValue())
156

  
157
        t = buffer.getDataType()
158
        if t == Buffer.TYPE_BYTE:
159
            self.getElem = buffer.getElemByte
160
            self.setElem = setElemByte
161
        elif t == Buffer.TYPE_SHORT or t == Buffer.TYPE_USHORT:
162
            self.getElem = buffer.getElemShort
163
            self.setElem = setElemShort
164
        elif t == Buffer.TYPE_INT:
165
            self.getElem = buffer.getElemInt
166
            self.setElem = setElemInt
167
        elif t == Buffer.TYPE_FLOAT:
168
            self.getElem = buffer.getElemFloat
169
            self.setElem = setElemFloat
170
        elif t == Buffer.TYPE_DOUBLE:
171
            self.getElem = buffer.getElemDouble
172
            self.setElem = setElemDouble
173
        #print buffer.getBandCount()
174
        self.values = [0 for count in range(buffer.getBandCount())]
175
        self.kernel = [[self.values for count in range(3)] for count in range(3)]
176

  
177
    def getQuery(self):
178
        if self.query == None:
179
            self.prepareQuery()
180
        return self.query
181

  
182
    def getBuffer(self, store):
183
        if self.buffer == None:
184
            self.createBuffer()
185
            self.prepareBuffer(self.buffer)
186
        return self.buffer
187

  
188
    def setValue(self, band, line, col, data):
189
        t = self.buffer.getDataType()
190
        if t == Buffer.TYPE_BYTE:
191
           self.buffer.setElem(line, col, band, Byte(data).byteValue())
192
        elif t == Buffer.TYPE_SHORT or t == Buffer.TYPE_USHORT:
193
            self.buffer.setElem(line, col, band, Short(data).shortValue())
194
        elif t == Buffer.TYPE_INT:
195
            self.buffer.setElem(line, col, band, Integer(data).intValue())
196
        elif t == Buffer.TYPE_FLOAT:
197
            self.buffer.setElem(line, col, band, Float(data).floatValue())
198
        elif t == Buffer.TYPE_DOUBLE:
199
            self.buffer.setElem(line, col, band, Double(data).doubleValue())
200

  
201
    def getValue(self, band, row, column):
202
        if self.getElem == None:
203
            self.createBuffer()
204
            self.prepareBuffer(self.buffer)
205
        return self.getElem(row, column, band)
206

  
207
    def getBandValues(self, row, column):
208
        if self.getElem == None:
209
            self.createBuffer()
210
            self.prepareBuffer(self.buffer)
211
        for b in xrange(self.buffer.getBandCount()):
212
            self.values[b] = self.getElem(row, column, b)
213
        return self.values
214
    
215
    def setBandValues(self,row,column,values):
216
        for b in xrange(self.buffer.getBandCount()):
217
            self.setElem(self.buffer, row, column, b, values[b])
218

  
219
    def saveBuffer(self,filename):
220
        manager = DALLocator.getDataManager ()
221
        eparams = manager.createServerExplorerParameters(FilesystemServerExplorer.NAME)
222
        eparams.setDynValue("initialpath",os.path.dirname(sourceFileName[0]))
223
        serverExplorer = manager.openServerExplorer(eparams.getExplorerName(),eparams)
224

  
225
        sparams = serverExplorer.getAddParameters("Gdal Store")
226
        sparams.setDestination(os.path.dirname(sourceFileName[0]),filename)
227
        sparams.setBuffer(self.buffer)
228
        #at = AffineTransform(1, 0, 0, -1, 0, 0)
229
        #sparams.setAffineTransform(at);
230

  
231
        serverExplorer.add("Gdal Store", sparams, True)
232

  
233
## @endcond
234

  
235
##
236
#
237
# Represents a raster layer.
238
#
239
class RasterLayer(FLyrRaster):
240
    TYPE_BYTE = Buffer.TYPE_BYTE
241
    TYPE_SHORT = Buffer.TYPE_SHORT
242
    TYPE_INT = Buffer.TYPE_INT
243
    TYPE_FLOAT = Buffer.TYPE_FLOAT
244
    TYPE_DOUBLE = Buffer.TYPE_DOUBLE
245

  
246
    @staticmethod
247
    ## @cond FALSE
248
    def getExtensions(self):
249
        ## This is a internal method, don't use it.
250

  
251
        global rasterLayerExtensions
252
        extensions = rasterLayerExtensions.get(self.hashCode(), None)
253
        if extensions == None:
254
            extensions = RasterLayerExtensions(self.getDataStore())
255
            rasterLayerExtensions[self.hashCode()] = extensions
256
        return extensions
257
    ## @endcond
258

  
259
    @staticmethod
260
    ##
261
    #
262
    # Return the number of bands of the raster
263
    #
264
    # @param self The raster layer object
265
    #
266
    # @return the number of bands of the raster layer
267
    #
268
    def getBandsCount(self):
269
        return self.getDataStore().getBandCount()
270

  
271
    @staticmethod
272
    ##
273
    #
274
    # Return the width in points/pixels of the raster
275
    #
276
    # @param self The raster layer object
277
    #
278
    # @return the width of the raster
279
    #
280
    def getWidth(self):
281
        return self.getDataStore().getWidth()
282

  
283
    @staticmethod
284
    ##
285
    #
286
    # Return the height in points/pixels of the raster
287
    #
288
    # @param self The raster layer object
289
    #
290
    # @return the height of the raster
291
    def getHeight(self):
292
        return self.getDataStore().getHeight()
293

  
294
    @staticmethod
295
    ##
296
    #
297
    # Return the data type of the raster
298
    #
299
    # TYPE_BYTE = Byte datatype
300
    #
301
    # TYPE_USHORT  = Unsigned Short datatype
302
    #
303
    # TYPE_SHORT = Signed Short datatype
304
    #
305
    # TYPE_INT = Integer datatype
306
    #
307
    # TYPE_FLOAT = Float Datatype
308
    #
309
    # TYPE_DOUBLE = Double Datatype
310
    #
311
    # @param self The raster layer object
312
    #
313
    # @return the datatype of the raster layer
314
    def getDataType(self):
315
        return self.getDataStore().getDataType()
316

  
317
    @staticmethod
318
    ##
319
    #
320
    # Return the value of a point of a "band" from "row" and "coulmn" of
321
    # the Raster.
322
    #
323
    # This method use with care, it has a strong overhead. Use instead
324
    # the method "walk" to go over the raster.
325
    #
326
    # @param band band from which the value should be retrieved
327
    # @param row row in the raster from which the value should be retrieved
328
    # @param column column in the raster from which the value should be retrieved
329
    #
330
    # @return the value of a point/pixel of a "band" from "row" and "column" of the Raster
331
    #
332
    def getData(self, band, row, column):
333
        return self.getExtensions().getValue(band, row, column)
334

  
335
    @staticmethod
336
    ##
337
    #
338
    # Go over the raster and for each point call to the function
339
    # "operation" and pass as argument a tuple with the values of
340
    # the point for each band.
341
    #
342
    # This method don't return any value
343
    #
344
    # @param self pointer to the Layer object
345
    # @param operation any operation which operates on the raster point-by-point
346
    #
347
    # @return None
348
    #
349
    def walk(self, operation):
350
        extension = self.getExtensions()
351
        store = self.getDataStore()
352
        sourceExtension = RasterLayerExtensions()
353
        sourceExtension.createNewBuffer(store.getWidth(), store.getHeight(), store.getBandCount(), store.getDataType())
354
        
355
        for band in xrange(store.getBandCount()):
356
            for line in xrange(store.getHeight()):
357
                for column in xrange(store.getWidth()):
358
                    operation(extension.getBandValues(line, column))
359
                    
360

  
361
    @staticmethod
362
    ##
363
    #
364
    # Go over the raster and for each point, taking the neighbour points
365
    # as a kernel(3x3) call to the function "operation" and pass as argument a
366
    # tuple with the values of all the points in the kernel for each band.
367
    #
368
    # This method don't return any value
369
    #
370
    # @param self pointer to the Layer object
371
    # @param operation any operation which operates on the raster by a kernel(3x3).
372
    #
373
    # @return None
374
    #
375
    def walkKernel(self, operation):
376
        extension = self.getExtensions()
377
        store = self.getDataStore()
378
        sourceExtension = RasterLayerExtensions()
379
        sourceExtension.createNewBuffer(store.getWidth(), store.getHeight(), store.getBandCount(), store.getDataType())
380
        
381
        k=0
382
        l=0
383
        values = [0 for count in xrange(store.getBandCount())]
384
        values = [[values for count in xrange(3)] for count in xrange(3)]
385
        outValues = list()
386
        for band in xrange(store.getBandCount()):
387
            for line in xrange(1,store.getHeight()-1):
388
                for column in xrange(1,store.getWidth()-1):
389
                    
390
                    i=0
391
                    for k in xrange(line-1,line+2):
392
                        j=0
393
                        for l in xrange(column-1,column+2):
394
                            values[i][j]=extension.getBandValues(k,l)
395
                            j=j+1
396
                        i=i+1
397
                    operation(values)
398
                    
399

  
400
    @staticmethod
401
    ##
402
    #
403
    # Go over the raster and for each point call to the function "filter1"
404
    # and pass as argument a tuple with the values of all the points in the
405
    # kernel for each band.
406
    #
407
    # The function "filter1" must be such that it takes a tuple, modifies its value
408
    # and returns a new tuple.
409
    #
410
    # This method saves the newly created(filter applied) layer to "targetfilename"
411
    #
412
    # @param self pointer to the Layer object
413
    # @param filter1 any filter which modifies the raster layer point-by-point
414
    # @param targetfilename filename to which the output layer should be saved
415
    # @param targetdatatype datatype of which the output layer to be saved (use only TYPE_INT,TYPE_BYTE or TYPE_SHORT as of now)
416
    # @param targetbandcount number of bands in the output layer
417
    #
418
    # @return saves the created layer to "targetfilename" in the current directory
419
    #
420
    def filter(self, filter1, targetfilename, targetdatatype=None, targetbandcount=None):
421
        extension = self.getExtensions()
422
        store = self.getDataStore()
423
        targetExtension = RasterLayerExtensions()
424
        #targetExtension.createNewBuffer(store.getWidth(), store.getHeight(), store.getBandCount(), store.getDataType())
425
        targetExtension.createNewBuffer(store.getWidth(), store.getHeight(), targetbandcount, targetdatatype)
426

  
427
        for band in xrange(store.getBandCount()):
428
            for line in xrange(store.getHeight()):
429
                for column in xrange(store.getWidth()):
430
                    values = filter1(extension.getBandValues(line,column))
431
                    targetExtension.setBandValues(line, column, values)
432

  
433
        targetExtension.saveBuffer(targetfilename)
434

  
435
    @staticmethod
436
    ##
437
    #
438
    # Go over the raster and for each point, taking the neighbour points
439
    # as a kernel(3x3) call to the function "filter1" and pass as argument
440
    # a tuple with the values of all the points in the kernel for each band.
441
    #
442
    # The function "filter1" must be such that it takes a tuple of multi-dimension,
443
    # modifies its value and returns a new tuple having dimensions same as input.
444
    #
445
    # This method saves the newly created(filter applied) layer to "targetfilename"
446
    #
447
    # @param self pointer to the Layer object
448
    # @param filter1 any filter which modifies the raster layer using a kernel(3x3).
449
    # @param targetfilename filename to which the output layer should be saved
450
    # @param targetdatatype datatype of which the output layer to be saved (use only TYPE_INT,TYPE_BYTE or TYPE_SHORT as of now)
451
    # @param targetbandcount number of bands in the output layer
452
    #
453
    # @return saves the created layer to "targetfilename" in the current directory
454
    #
455
    def filterKernel(self, filter1, targetfilename, targetdatatype=None, targetbandcount=None):
456
        extension = self.getExtensions()
457
        store = self.getDataStore()
458
        targetExtension = RasterLayerExtensions()
459
        #targetExtension.createNewBuffer(store.getWidth(), store.getHeight(), store.getBandCount(), store.getDataType())
460
        targetExtension.createNewBuffer(store.getWidth(), store.getHeight(), targetbandcount, targetdatatype)
461

  
462
        k=0
463
        l=0
464
        values = [0 for count in xrange(store.getBandCount())]
465
        values = [[values for count in xrange(3)] for count in xrange(3)]
466
        outValues = list()
467
        for band in xrange(store.getBandCount()):
468
            for line in xrange(1,store.getHeight()-1):
469
                for column in xrange(1,store.getWidth()-1):
470
                    
471
                    i=0
472
                    for k in xrange(line-1,line+2):
473
                        j=0
474
                        for l in xrange(column-1,column+2):
475
                            values[i][j]=extension.getBandValues(k,l)
476
                            j=j+1
477
                        i=i+1
478
                    outValues = filter1(values)
479
                    targetExtension.setBandValues(line, column, outValues)
480

  
481
        targetExtension.saveBuffer(targetfilename)
482
                    
483
    @staticmethod
484
    ##
485
    #
486
    # Go over the raster layer and for each point call to the function "operation" and
487
    # pass as arguments two tuples (One corresponding to the first layer at that point,
488
    # the other corresponding to the second layer at the same point) with the values of
489
    # each point for each band.
490
    #
491
    # The function "operation" must be such that it takes two tuples as input, performs
492
    # operations involving both of them and returns a new tuple.
493
    #
494
    # This method saves the newly created(from the two rasters) layer to "targetfilename"
495
    #
496
    # @param self pointer to the Layer object
497
    # @param operation any operation which operates on both the raster layers at a respective point/pixel.
498
    # @param layer2 the layer which forms the second input to the "operation" function.
499
    # @param targetfilename filename to which the output layer should be saved
500
    # @param targetdatatype datatype of which the output layer to be saved (use only TYPE_INT,TYPE_BYTE or TYPE_SHORT as of now)
501
    #
502
    # @return saves the created layer to "targetfilename" in the current directory
503
    #
504
    def operation(self, operation, layer2, targetfilename, targetdatatype=None):
505
        layer1Extension = self.getExtensions()
506
        layer2Extension = layer2.getExtensions()
507

  
508
        layer1Store = self.getDataStore()
509
        layer2Store = layer2.getDataStore()
510

  
511
        bandCount = layer1Store.getBandCount()
512
        layerWidth = layer1Store.getWidth()
513
        layerHeight = layer1Store.getHeight()
514
        targetExtension = RasterLayerExtensions()
515
        resultValues = list()
516
        #targetExtension.createNewBuffer(layerWidth, layerHeight, bandCount, layer1Store.getDataType())
517
        targetExtension.createNewBuffer(layerWidth, layerHeight, bandCount, targetdatatype)
518

  
519
        for band in xrange(bandCount):
520
            for line in xrange(layerHeight):
521
                for column in xrange(layerWidth):
522
                    layer1Values = layer1Extension.getBandValues(line, column)
523
                    layer2Values = layer2Extension.getBandValues(line, column)
524
                    resultValues = operation(layer1Values, layer2Values)
525
                    targetExtension.setBandValues(line, column, resultValues)
526

  
527
        targetExtension.saveBuffer(targetfilename)
528

  
529
    @staticmethod
530
    ##
531
    #
532
    # Go over the raster layer and for each point, taking the neighbour points as a
533
    # kernel(3x3) call to the function "operation" and pass as arguments two tuples
534
    # (One corresponding to the first layer at that point, the other corresponding
535
    # to the second layer at the same point) with the values of all the points of the
536
    # kernel for each band.
537
    #
538
    # The function "operation" must be such that it takes two tuples of multiple
539
    # dimensions as input, performs operations involving both of them and returns a
540
    # new tuple having dimensions same as input tuples.
541
    #
542
    # This method saves the newly created(from the two rasters) layer to "targetfilename"
543
    #
544
    # @param self pointer to the Layer object
545
    # @param operation any operation which operates on both the raster layers at a respective point/pixel but involving kernel(3x3)[neighbour points].
546
    # @param layer2 the layer which forms the second input to the "operation" function.
547
    # @param targetfilename filename to which the output layer should be saved
548
    # @param targetdatatype datatype of which the output layer to be saved (use only TYPE_INT,TYPE_BYTE or TYPE_SHORT as of now)
549
    #
550
    # @return saves the created layer to "targetfilename" in the current directory
551
    #
552
    def operationKernel(self, operation, layer2, targetfilename, targetdatatype=None):
553
        layer1Extension = self.getExtensions()
554
        layer2Extension = self.getExtensions()
555

  
556
        layer1Store = self.getDataStore()
557
        layer2Store = layer2.getDataStore()
558

  
559
        bandCount = layer1Store.getBandCount()
560
        layerWidth = layer1Store.getWidth()
561
        layerHeight = layer1Store.getHeight()
562
        targetExtension = RasterLayerExtensions()
563
        #targetExtension.createNewBuffer(layerWidth, layerHeight, bandCount, layer1Store.getDataType())targetExtension.createNewBuffer(layerWidth, layerHeight, bandCount, layer1Store.getDataType())
564
        targetExtension.createNewBuffer(layerWidth, layerHeight, bandCount, targetdatatype)
565

  
566
        k=0
567
        l=0
568
        values1 = [[[None for count in range(bandCount)] for count in range(3)] for count in range(3)]
569
        values2 = [[[None for count in range(bandCount)] for count in range(3)] for count in range(3)]
570
        outValues = list()
571
        for band in xrange(bandCount):
572
            for line in xrange(1,layerHeight-1):
573
                for column in xrange(1,layerWidth-1):
574

  
575
                    i=0
576
                    for k in xrange(line-1,line+2):
577
                        j=0
578
                        for l in xrange(column-1,column+2):
579
                            values1[i][j]=layer1Extension.getBandValues(k,l)
580
                            #print i,j,values1[i][j]
581
                            #print values1
582
                            values2[i][j]=layer2Extension.getBandValues(k,l)
583
                            j=j+1
584
                        i=i+1
585

  
586
                    outValues = operation(values1, values2)
587
                    i=0
588
                    for k in xrange(line-1,line+2):
589
                        j=0
590
                        for l in xrange(column-1,column+2):
591
                            targetExtension.setBandValues(k,l, outValues[i][j])
592
                            j=j+1
593
                        i=i+1
594

  
595
        targetExtension.saveBuffer(targetfilename)
596
        
597

  
598
#
599
# Inject new methods in the class FLyrRaster
600
#
601
FLyrRaster.getExtensions = RasterLayer.getExtensions
602
FLyrRaster.getBandsCount = RasterLayer.getBandsCount
603
FLyrRaster.getWidth = RasterLayer.getWidth
604
FLyrRaster.getHeight = RasterLayer.getHeight
605
FLyrRaster.getDataType = RasterLayer.getDataType
606
FLyrRaster.getData = RasterLayer.getData
607
FLyrRaster.walk = RasterLayer.walk
608
FLyrRaster.walkKernel = RasterLayer.walkKernel
609
FLyrRaster.filter = RasterLayer.filter
610
FLyrRaster.filterKernel = RasterLayer.filterKernel
611
FLyrRaster.operation = RasterLayer.operation
612
FLyrRaster.operationKernel = RasterLayer.operationKernel
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/resources-plugin/config.xml
1
<?xml version="1.0" encoding="ISO-8859-1"?>
2
<plugin-config>
3
 <depends plugin-name="org.gvsig.app" />
4
 <depends plugin-name="org.gvsig.app.document.table.app.mainplugin" />
5
	<resourceBundle name="text"/>
6
	<libraries library-dir="lib"/>
7
	<extensions>
8
		<extension class-name="org.gvsig.raster.mainplugin.RasterMainPluginExtension"
9
			description="" 
10
			active="true" 
11
			priority="1">
12
		</extension>	
13
		<extension class-name="org.gvsig.raster.mainplugin.GenericToolBarExtension"
14
			description="" 
15
			active="true" 
16
			priority="1">
17
		</extension>
18
	</extensions>
19
</plugin-config>
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/resources-plugin/org/gvsig/raster/mainplugin/i18n/text.properties
1
capa_raster=Capa Raster
2
process_raster=Procesos Raster
3
multispectral=Multiespectral
4
enhanced=Realce
5
transformaciones_geograficas=Transformaciones geograficas
6
raster_export=Exportar Raster
7
dataset_raster=Conjunto de datos raster
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/resources-plugin/org/gvsig/raster/mainplugin/i18n/text_en.properties
1
capa_raster=Raster layer
2
process_raster=Raster process
3
multispectral=Multispectral
4
enhanced=Enhanced
5
transformaciones_geograficas=Geographic transformations
6
raster_export=Export to raster
7
dataset_raster=Raster dataset
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/assembly/gvsig-plugin-package.xml
1
<!--
2

  
3
    gvSIG. Desktop Geographic Information System.
4

  
5
    Copyright (C) 2007-2013 gvSIG Association.
6

  
7
    This program is free software; you can redistribute it and/or
8
    modify it under the terms of the GNU General Public License
9
    as published by the Free Software Foundation; either version 3
10
    of the License, or (at your option) any later version.
11

  
12
    This program is distributed in the hope that it will be useful,
13
    but WITHOUT ANY WARRANTY; without even the implied warranty of
14
    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15
    GNU General Public License for more details.
16

  
17
    You should have received a copy of the GNU General Public License
18
    along with this program; if not, write to the Free Software
19
    Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
20
    MA  02110-1301, USA.
21

  
22
    For any additional information, do not hesitate to contact us
23
    at info AT gvsig.com, or visit our website www.gvsig.com.
24

  
25
-->
26
<assembly>
27
  <id>gvsig-plugin-package</id>
28
  <formats>
29
    <format>zip</format>
30
  </formats>
31
  <baseDirectory>${project.artifactId}</baseDirectory>
32
  <includeBaseDirectory>true</includeBaseDirectory>
33
  <files>
34
    <file>
35
      <source>target/${project.artifactId}-${project.version}.jar</source>
36
      <outputDirectory>lib</outputDirectory>
37
    </file>
38
    <file>
39
      <source>target/package.info</source>
40
    </file>
41
  </files>
42

  
43
  <fileSets>
44
    <fileSet>
45
      <directory>src/main/resources-plugin</directory>
46
      <outputDirectory>.</outputDirectory>
47
    </fileSet>
48
  </fileSets>
49

  
50

  
51
  <dependencySets>
52
    <dependencySet>
53
      <useProjectArtifact>false</useProjectArtifact>
54
      <useTransitiveDependencies>false</useTransitiveDependencies>
55
      <outputDirectory>lib</outputDirectory>
56
		  <includes>
57
		    <include>org.gvsig:org.gvsig.raster.swing.api:jar</include>
58
		    <include>org.gvsig:org.gvsig.raster.swing.impl:jar</include>
59
		    <include>org.gvsig:org.gvsig.raster.cache.lib.api:jar</include>
60
		    <include>org.gvsig:org.gvsig.raster.cache.lib.impl:jar</include>
61
		    <include>org.gvsig:org.gvsig.raster.lib.api:jar</include>
62
		    <include>org.gvsig:org.gvsig.raster.lib.impl:jar</include>
63
		    <include>org.gvsig:org.gvsig.raster.algorithm:jar</include>
64
		    <include>org.gvsig:org.gvsig.raster.fmap:jar</include>
65
		    <!-- <include>org.gvsig:org.gvsig.timesupport.lib.api:jar</include>
66
		    <include>org.gvsig:org.gvsig.timesupport.lib.impl:jar</include>-->
67
		    <include>org.joda:joda-time:jar</include>		
68
		  </includes>
69
    </dependencySet>
70
  </dependencySets>
71

  
72
</assembly>
73

  
74

  
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/java/org/gvsig/raster/mainplugin/GenericToolBarExtension.java
1
/* gvSIG. Geographic Information System of the Valencian Government
2
*
3
* Copyright (C) 2007-2008 Infrastructures and Transports Department
4
* of the Valencian Government (CIT)
5
* 
6
* This program is free software; you can redistribute it and/or
7
* modify it under the terms of the GNU General Public License
8
* as published by the Free Software Foundation; either version 2
9
* of the License, or (at your option) any later version.
10
* 
11
* This program is distributed in the hope that it will be useful,
12
* but WITHOUT ANY WARRANTY; without even the implied warranty of
13
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
* GNU General Public License for more details.
15
* 
16
* You should have received a copy of the GNU General Public License
17
* along with this program; if not, write to the Free Software
18
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, 
19
* MA  02110-1301, USA.
20
* 
21
*/
22
package org.gvsig.raster.mainplugin;
23

  
24
import java.awt.Dimension;
25

  
26
import org.gvsig.andami.IconThemeHelper;
27
import org.gvsig.andami.PluginServices;
28
import org.gvsig.andami.plugins.Extension;
29
import org.gvsig.andami.ui.mdiFrame.MDIFrame;
30
import org.gvsig.app.project.documents.view.ViewDocument;
31
import org.gvsig.app.project.documents.view.gui.AbstractViewPanel;
32
import org.gvsig.fmap.mapcontext.MapContext;
33
import org.gvsig.i18n.Messages;
34
import org.gvsig.raster.mainplugin.toolbar.GenericToolBarMenuItem;
35
import org.gvsig.raster.mainplugin.toolbar.GenericToolBarPanel;
36
import org.gvsig.tools.ToolsLocator;
37
import org.gvsig.tools.extensionpoint.ExtensionPoint;
38
import org.gvsig.tools.extensionpoint.ExtensionPointManager;
39

  
40
/**
41
 * Extension para la barra de herramientas generica
42
 *
43
 * @author BorSanZa - Borja S?nchez Zamorano
44
 */
45
public class GenericToolBarExtension extends Extension {
46
	private GenericToolBarPanel toolBar = null;
47

  
48
	/**
49
	 * Crea y devuelve la barra de herramientas
50
	 * @return
51
	 */
52
	private GenericToolBarPanel getGenericToolBarPanel() {
53
		if (toolBar == null) {
54
			MDIFrame f = (MDIFrame) PluginServices.getMainFrame();
55
			if (f == null)
56
				return null;
57
			toolBar = new GenericToolBarPanel();
58
			toolBar.setVisible(true);
59
			f.addToolBarControl(getClass(), toolBar, "RasterToolBar");
60
		} else {
61
			toolBar.setPreferredSize(new Dimension(300, getToolbarHeight()));
62
		}
63

  
64
		return toolBar;
65
	}
66

  
67
	/**
68
	 * Obtenemos el alto de cualquier toolbar que este visible en gvSIG y no sea
69
	 * nuestro para poder asignarselo al GenericToolBar como PreferredSize. En
70
	 * caso de no encontrar ninguno que cumpla las condiciones, se devolver? 24
71
	 * @return
72
	 */
73
	private int getToolbarHeight() {
74
		if ((PluginServices.getMainFrame() == null) ||
75
				(PluginServices.getMainFrame().getToolbars() == null) ||
76
				(PluginServices.getMainFrame().getToolbars().length <= 0))
77
			return 24;
78

  
79
		for (int i = 0; i < PluginServices.getMainFrame().getToolbars().length; i++) {
80
			if ((PluginServices.getMainFrame().getToolbars()[i].getHeight() > 16) &&
81
					((Object) PluginServices.getMainFrame().getToolbars()[i] != (Object) toolBar))
82
				return PluginServices.getMainFrame().getToolbars()[i].getHeight();
83
		}
84
		return 24;
85
	}
86

  
87
	public void initialize() {
88
		registerIcons();
89
		
90
		 Messages.addResourceFamily("org.gvsig.raster.mainplugin.i18n.text",
91
				 GenericToolBarExtension.class.getClassLoader(),
92
				 GenericToolBarExtension.class.getClass().getName()); 
93
		
94
		// Creaci?n del punto de extensi?n para registrar paneles en el cuadro de propiedades.
95
		ExtensionPointManager extensionPoints = ToolsLocator.getExtensionPointManager();
96
		ExtensionPoint point = extensionPoints.add("GenericToolBarGroup");
97
		point.setDescription("Punto de extension para los grupos de menus del GenericToolBarPanel");
98

  
99
		point.append("RasterLayer", "", new GenericToolBarMenuItem(Messages.getText("capa_raster"), IconThemeHelper.getImageIcon("menu-layer-icon")));
100
		//point.append("RasterProcess", "", new GenericToolBarMenuItem(Messages.getText("process_raster"), IconThemeHelper.getImageIcon("menu-process-icon")));
101
		point.append("Dataset", "", new GenericToolBarMenuItem(Messages.getText("dataset_raster"), IconThemeHelper.getImageIcon("menu-dataset-icon")));
102
		point.append("Multispectral", "", new GenericToolBarMenuItem(Messages.getText("multispectral"), IconThemeHelper.getImageIcon("menu-multispectral-icon")));
103
		point.append("Enhanced", "", new GenericToolBarMenuItem(Messages.getText("enhanced"), IconThemeHelper.getImageIcon("menu-enhanced-icon")));
104
		point.append("GeoRaster", "", new GenericToolBarMenuItem(Messages.getText("transformaciones_geograficas"), IconThemeHelper.getImageIcon("menu-transgeo-icon")));
105
		point.append("RasterExport", "", new GenericToolBarMenuItem(Messages.getText("raster_export"), IconThemeHelper.getImageIcon("menu-raster-export")));
106

  
107
		point = extensionPoints.add("GenericToolBarMenu");
108
		point.setDescription("Punto de extension para los submenus del GenericToolBarPanel");
109
	}
110
	
111
	private void registerIcons() {	
112
		//Actions
113
		IconThemeHelper.registerIcon("action", "menu-layer-icon", this);
114
		IconThemeHelper.registerIcon("action", "menu-process-icon", this);
115
		IconThemeHelper.registerIcon("action", "menu-transgeo-icon", this);
116
		IconThemeHelper.registerIcon("action", "menu-dataset-icon", this);
117
		IconThemeHelper.registerIcon("action", "menu-raster-export", this);
118
		IconThemeHelper.registerIcon("action", "menu-multispectral-icon", this);
119
		IconThemeHelper.registerIcon("action", "menu-enhanced-icon", this);
120
	}
121
	
122
	@Override
123
	public void postInitialize() {
124
		super.postInitialize();
125
		if (getGenericToolBarPanel() != null)
126
			getGenericToolBarPanel().reloadMenuGroup();
127
	}
128

  
129
	public boolean isEnabled() {
130
		return false;
131
	}
132

  
133
	/**
134
	 * Establece si la barra de herramientas esta visible
135
	 * @param enabled
136
	 */
137
	private void setToolBarVisible(boolean enabled) {
138
		if (getGenericToolBarPanel() == null)
139
			return;
140

  
141
		toolBar.setVisible(enabled);
142
	}
143

  
144
	@SuppressWarnings("deprecation")
145
	public boolean isVisible() {
146
		setToolBarVisible(true);
147
		org.gvsig.andami.ui.mdiManager.IWindow f = PluginServices.getMDIManager().getActiveWindow();
148
		if (f == null || !(f instanceof AbstractViewPanel)) {
149
			//setToolBarVisible(false);
150
			return false;
151
		}
152
		
153
		if (getGenericToolBarPanel() != null)
154
			getGenericToolBarPanel().setLayers(null);
155
		AbstractViewPanel vista = (AbstractViewPanel) f;
156
		ViewDocument model = vista.getModel();
157
		MapContext mapa = model.getMapContext();
158
		if (mapa.getLayers().getLayersCount() > 0) {
159
			if (getGenericToolBarPanel() != null) {
160
				getGenericToolBarPanel().setLayers(mapa.getLayers());
161
			}
162
		}
163
		
164
		//setToolBarVisible(true);
165
		return true;
166

  
167
		/*if (f instanceof AbstractViewPanel) {
168
			AbstractViewPanel vista = (AbstractViewPanel) f;
169
			ViewDocument model = vista.getModel();
170
			MapContext mapa = model.getMapContext();
171
			if (mapa.getLayers().getLayersCount() > 0) {
172
				setToolBarVisible(true);
173
				if (getGenericToolBarPanel() != null) {
174
					getGenericToolBarPanel().setLayers(mapa.getLayers());
175
				}
176
				return true;
177
			}
178
		}
179

  
180
		setToolBarVisible(false);
181
		return false;*/
182
	}
183

  
184
	public void execute(String actionCommand) {}
185
}
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/java/org/gvsig/raster/mainplugin/properties/RasterPropertiesTocMenuEntry.java
1
/* gvSIG. Geographic Information System of the Valencian Government
2
*
3
* Copyright (C) 2007-2008 Infrastructures and Transports Department
4
* of the Valencian Government (CIT)
5
* 
6
* This program is free software; you can redistribute it and/or
7
* modify it under the terms of the GNU General Public License
8
* as published by the Free Software Foundation; either version 2
9
* of the License, or (at your option) any later version.
10
* 
11
* This program is distributed in the hope that it will be useful,
12
* but WITHOUT ANY WARRANTY; without even the implied warranty of
13
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
* GNU General Public License for more details.
15
* 
16
* You should have received a copy of the GNU General Public License
17
* along with this program; if not, write to the Free Software
18
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, 
19
* MA  02110-1301, USA.
20
* 
21
*/
22
package org.gvsig.raster.mainplugin.properties;
23

  
24
import javax.swing.Icon;
25

  
26
import org.gvsig.andami.ui.mdiManager.WindowInfo;
27
import org.gvsig.app.panelGroup.PanelGroupDialog;
28
import org.gvsig.app.panelGroup.loaders.PanelGroupLoaderFromExtensionPoint;
29
import org.gvsig.app.project.documents.view.toc.AbstractTocContextMenuAction;
30
import org.gvsig.app.project.documents.view.toc.ITocItem;
31
import org.gvsig.fmap.IconThemeHelper;
32
import org.gvsig.fmap.mapcontext.layers.FLayer;
33
import org.gvsig.gui.beans.panelGroup.PanelGroupManager;
34
import org.gvsig.gui.beans.panelGroup.tabbedPanel.TabbedPanel;
35
import org.gvsig.i18n.Messages;
36
import org.gvsig.raster.fmap.layers.FLyrRaster;
37
import org.gvsig.raster.fmap.layers.ILayerState;
38
import org.gvsig.raster.mainplugin.RasterMainPluginUtils;
39
import org.gvsig.raster.mainplugin.toolbar.IGenericToolBarMenuItem;
40
import org.gvsig.raster.swing.RasterSwingLibrary;
41

  
42
/**
43
 * Entrada en del men? contextual del TOC correspondiente al cuadro de
44
 * propiedades del raster
45
 *
46
 * @author Nacho Brodin (nachobrodin@gmail.com)
47
 */
48
public class RasterPropertiesTocMenuEntry extends AbstractTocContextMenuAction implements IGenericToolBarMenuItem {
49
	static private RasterPropertiesTocMenuEntry singleton  = null;
50
	private FLayer                              lyr        = null;
51

  
52
	/**
53
	 * Variable para controlar si los eventos de los paneles se deben interpretar.
54
	 * En la carga inicial se deben desactivar todos los eventos
55
	 */
56
	public static boolean                     enableEvents = false;
57
	
58
	/**
59
	 * Nadie puede crear una instancia a esta clase ?nica, hay que usar el
60
	 * getSingleton()
61
	 */
62
	private RasterPropertiesTocMenuEntry() {}
63

  
64
	/**
65
	 * Devuelve un objeto unico a dicha clase
66
	 * @return
67
	 */
68
	static public RasterPropertiesTocMenuEntry getSingleton() {
69
		if (singleton == null)
70
			singleton = new RasterPropertiesTocMenuEntry();
71
		return singleton;
72
	}	
73

  
74
	public String getGroup() {
75
		return "RasterLayer";
76
	}
77

  
78
	public int getGroupOrder() {
79
		return 10;
80
	}
81

  
82
	public int getOrder() {
83
		return 10;
84
	}
85

  
86
	public String getText() {
87
		return Messages.getText("propiedades_raster");
88
	}
89

  
90
	public boolean isEnabled(ITocItem item, FLayer[] selectedItems) {
91
		if ((selectedItems == null) || (selectedItems.length != 1))
92
			return false;
93
		if (selectedItems[0] instanceof ILayerState) {
94
			if (!((ILayerState) selectedItems[0]).isOpen())
95
				return false;
96
			return true;
97
		}
98
		return false;
99
	}
100

  
101
	public boolean isVisible(ITocItem item, FLayer[] selectedItems) {
102
		if ((selectedItems == null) || (selectedItems.length != 1))
103
			return false;
104
		if (selectedItems[0] instanceof FLyrRaster)
105
			return true;
106
		return false;
107
	}
108

  
109
	/**
110
	 * Gestiona la apertura del dialogo de propiedades de raster cuando se pulsa
111
	 * la opci?n asignando a este las propiedades iniciales.
112
	 */
113
	public void execute(ITocItem item, FLayer[] selectedItems) {
114
		if ((selectedItems == null) || (selectedItems.length != 1))
115
			return;
116

  
117
		lyr = selectedItems[0];
118
		PanelGroupDialog properties = null;
119
		try {
120
			enableEvents = false;
121

  
122
			PanelGroupManager manager = PanelGroupManager.getManager();
123

  
124
			manager.registerPanelGroup(TabbedPanel.class);
125
			manager.setDefaultType(TabbedPanel.class);
126

  
127
			TabbedPanel panelGroup = (TabbedPanel) manager.getPanelGroup(lyr);
128
			PanelGroupLoaderFromExtensionPoint loader = new PanelGroupLoaderFromExtensionPoint("RasterSEPropertiesDialog");
129

  
130
			properties = new PanelGroupDialog(lyr.getName() ,Messages.getText("propiedades_raster"), 550, 450, (byte) (WindowInfo.MODELESSDIALOG | WindowInfo.RESIZABLE | WindowInfo.MAXIMIZABLE), panelGroup);
131
			properties.loadPanels(loader);
132
			enableEvents = true;
133
			RasterMainPluginUtils.addWindow(properties);
134
		} catch (Exception e) {
135
			RasterSwingLibrary.messageBoxInfo("error_props_tabs", properties, e);
136
		} finally  {
137
			enableEvents = true;
138
		}
139
	}
140
	
141
	public Icon getIcon() {
142
		return IconThemeHelper.getImageIcon("layer-properties-raster");
143
	}
144
}
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/java/org/gvsig/raster/mainplugin/RasterMainPluginExtension.java
1
/* gvSIG. Geographic Information System of the Valencian Government
2
*
3
* Copyright (C) 2007-2008 Infrastructures and Transports Department
4
* of the Valencian Government (CIT)
5
* 
6
* This program is free software; you can redistribute it and/or
7
* modify it under the terms of the GNU General Public License
8
* as published by the Free Software Foundation; either version 2
9
* of the License, or (at your option) any later version.
10
* 
11
* This program is distributed in the hope that it will be useful,
12
* but WITHOUT ANY WARRANTY; without even the implied warranty of
13
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
* GNU General Public License for more details.
15
* 
16
* You should have received a copy of the GNU General Public License
17
* along with this program; if not, write to the Free Software
18
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, 
19
* MA  02110-1301, USA.
20
* 
21
*/
22
package org.gvsig.raster.mainplugin;
23

  
24
import org.gvsig.andami.IconThemeHelper;
25
import org.gvsig.andami.plugins.Extension;
26
import org.gvsig.i18n.Messages;
27
import org.gvsig.raster.mainplugin.properties.RasterPropertiesTocMenuEntry;
28
import org.gvsig.tools.ToolsLocator;
29
import org.gvsig.tools.extensionpoint.ExtensionPoint;
30
import org.gvsig.tools.extensionpoint.ExtensionPointManager;
31

  
32

  
33
/**
34
 * Main plugin for raster
35
 *
36
 * @author Nacho Brodin (nachobrodin@gmail.com)
37
 */
38
public class RasterMainPluginExtension extends Extension {
39

  
40
	public void initialize() {
41
        Messages.addResourceFamily("org.gvsig.raster.mainplugin.i18n.text",
42
        		RasterMainPluginExtension.class.getClassLoader(),
43
        		RasterMainPluginExtension.class.getClass().getName()); 
44
        
45
        IconThemeHelper.registerIcon(null, "map-ok-ico", this);
46
        IconThemeHelper.registerIcon("action", "layer-properties-raster", this);
47
        
48
		ExtensionPointManager extensionPoints = ToolsLocator.getExtensionPointManager();
49
		ExtensionPoint point = null;
50
		
51
		//Registro punto de extensi?n del cuadro de propiedades
52
		if (!extensionPoints.has("RasterSEPropertiesDialog")) {
53
			point = extensionPoints.add("RasterSEPropertiesDialog");
54
			point.setDescription("Raster Properties registrable panels (register instances of javax.swing.JPanel)");
55
		}
56

  
57
		//Entradas del men? del toc de raster
58
		if (!extensionPoints.has("View_TocActions")) {
59
			point = extensionPoints.add("View_TocActions");
60
		}
61
		point = extensionPoints.get("View_TocActions");
62
		point.append("RasterSEProperties", "Raster Properties", RasterPropertiesTocMenuEntry.getSingleton());
63
		
64
		//A?ade las propiedades de raster a la barra de herramientas. Si nadie registra paneles estar? vacio
65
		//cuando se abra
66
		
67
		point = extensionPoints.add("GenericToolBarMenu");
68
		point.append("RasterProperties", "", RasterPropertiesTocMenuEntry.getSingleton());
69
	}
70
	
71
	public void execute(String actionCommand) {
72
		
73
	}
74

  
75
	public boolean isEnabled() {
76
		return false;
77
	}
78

  
79
	public boolean isVisible() {
80
		return false;
81
	}
82

  
83
}
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/java/org/gvsig/raster/mainplugin/toolbar/GenericToolBarMenuItem.java
1
/* gvSIG. Geographic Information System of the Valencian Government
2
*
3
* Copyright (C) 2007-2008 Infrastructures and Transports Department
4
* of the Valencian Government (CIT)
5
* 
6
* This program is free software; you can redistribute it and/or
7
* modify it under the terms of the GNU General Public License
8
* as published by the Free Software Foundation; either version 2
9
* of the License, or (at your option) any later version.
10
* 
11
* This program is distributed in the hope that it will be useful,
12
* but WITHOUT ANY WARRANTY; without even the implied warranty of
13
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
* GNU General Public License for more details.
15
* 
16
* You should have received a copy of the GNU General Public License
17
* along with this program; if not, write to the Free Software
18
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, 
19
* MA  02110-1301, USA.
20
* 
21
*/
22
package org.gvsig.raster.mainplugin.toolbar;
23

  
24
import java.util.Map;
25

  
26
import javax.swing.Icon;
27

  
28
import org.gvsig.andami.IconThemeHelper;
29
import org.gvsig.app.project.documents.view.toc.ITocItem;
30
import org.gvsig.fmap.mapcontext.layers.FLayer;
31
import org.gvsig.tools.extensionpoint.ExtensionBuilder;
32

  
33
/**
34
 * Clase que implementa un IGenericToolBarMenuItem para evitar tener que crear
35
 * clases para items de menu sencillas
36
 *
37
 * @version 06/02/2008
38
 * @author BorSanZa - Borja S?nchez Zamorano (borja.sanchez@iver.es)
39
 */
40
public class GenericToolBarMenuItem implements IGenericToolBarMenuItem, ExtensionBuilder {
41
	private String text  = "";
42
	private int    order = 0;
43
	private int    groupOrder = 0;
44
	private Icon   icon  = null;
45
	private String group = "";
46

  
47
	public GenericToolBarMenuItem(String text, Icon icon) {
48
		this(text, icon, "", 0);
49
	}
50

  
51
	public GenericToolBarMenuItem(String text) {
52
		this(text, IconThemeHelper.getImageIcon("blank-icon"), "", 0);
53
	}
54

  
55
	public GenericToolBarMenuItem(String text, Icon icon, String group, int order) {
56
		this.text = text;
57
		this.order = order;
58
		this.icon = icon;
59
		this.group = group;
60
	}
61

  
62
	public GenericToolBarMenuItem(String text, Icon icon, String group) {
63
		this(text, icon, group, 0);
64
	}
65

  
66
	public GenericToolBarMenuItem(String text, Icon icon, int order) {
67
		this(text, icon, "", 0);
68
	}
69

  
70
	public String getGroup() {
71
		return group;
72
	}
73

  
74
	public int getOrder() {
75
		return order;
76
	}
77

  
78
	public String getText() {
79
		return text;
80
	}
81

  
82
	public Icon getIcon() {
83
		return icon;
84
	}
85

  
86
	public boolean isEnabled(ITocItem item, FLayer[] selectedItems) {
87
		return true;
88
	}
89

  
90
	public boolean isVisible(ITocItem item, FLayer[] selectedItems) {
91
		return true;
92
	}
93

  
94
	public int getGroupOrder() {
95
		return groupOrder;
96
	}
97

  
98
	public void execute(ITocItem item, FLayer[] selectedItems) {}
99

  
100
	public Object create() {
101
		return this;
102
	}
103

  
104
	public Object create(Object[] args) {
105
		return this;
106
	}
107

  
108
	@SuppressWarnings("rawtypes")
109
	public Object create(Map args) {
110
		return this;
111
	}
112

  
113
	public boolean isEnableEvents() {
114
		return true;
115
	}
116
}
org.gvsig.raster/tags/org.gvsig.raster-2.2.99/org.gvsig.raster.app/org.gvsig.raster.app.common/src/main/java/org/gvsig/raster/mainplugin/toolbar/BinarySearch.java
1
/* gvSIG. Geographic Information System of the Valencian Government
2
*
3
* Copyright (C) 2007-2008 Infrastructures and Transports Department
4
* of the Valencian Government (CIT)
5
* 
6
* This program is free software; you can redistribute it and/or
7
* modify it under the terms of the GNU General Public License
8
* as published by the Free Software Foundation; either version 2
9
* of the License, or (at your option) any later version.
10
* 
11
* This program is distributed in the hope that it will be useful,
12
* but WITHOUT ANY WARRANTY; without even the implied warranty of
13
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
14
* GNU General Public License for more details.
15
* 
16
* You should have received a copy of the GNU General Public License
17
* along with this program; if not, write to the Free Software
18
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, 
19
* MA  02110-1301, USA.
20
* 
21
*/
22
package org.gvsig.raster.mainplugin.toolbar;
23

  
24
import java.util.Arrays;
25
import java.util.List;
26
import java.util.Vector;
27
import org.apache.commons.lang3.StringUtils;
28

  
29
import org.gvsig.gui.beans.comboboxconfigurablelookup.ILookUp;
30
import org.gvsig.gui.beans.comboboxconfigurablelookup.JComboBoxConfigurableLookUp;
31
import org.gvsig.gui.beans.comboboxconfigurablelookup.StringComparator;
32
/**
33
 * Clase para reimplementar una nueva busqueda para el componente
34
 * {@link JComboBoxConfigurableLookUp}
35
 * 
36
 * @version 13/02/2008
37
 * @author BorSanZa - Borja S?nchez Zamorano 
38
 */
39
public class BinarySearch implements ILookUp {
40
	public List<Object> doLookUpConsideringCaseSensitive(String text, Vector<Object> sortOrderedItems, StringComparator comp) {
41
                Vector<Object> list = new Vector<Object>();
42
                for (int i = 0; i < sortOrderedItems.size(); i++) {
43
                    Object cur_o = sortOrderedItems.get(i);
44
                    if( cur_o!=null ) {
45
                        String cur_s = cur_o.toString();
46
                        if( StringUtils.isEmpty(text) ) {
47
                                list.add(cur_o);
48
                        } else {
49
                            if (cur_s.indexOf(text) != -1) {
50
                                    list.add(cur_o);
51
                            }
52
                        }
53
                    }
54
                }
55
		return Arrays.asList(list.toArray());
56
        }
57

  
58
	public List<Object> doLookUpIgnoringCaseSensitive(String text, Vector<Object> sortOrderedItems, StringComparator comp) {
59
                Vector<Object> list = new Vector<Object>();
60
                for (int i = 0; i < sortOrderedItems.size(); i++) {
61
                    Object cur_o = sortOrderedItems.get(i);
62
                    if( cur_o!=null ) {
63
                        String cur_s = cur_o.toString();
64
                        if( StringUtils.isEmpty(text) ) {
65
                                list.add(cur_o);
66
                        } else {
67
                            if (cur_s.toLowerCase().indexOf(text.toLowerCase()) != -1) {
68
                                    list.add(cur_o);
69
                            }
70
                        }
71
                    }
72
                }
73
		return Arrays.asList(list.toArray());
... This diff was truncated because it exceeds the maximum size that can be displayed.

Also available in: Unified diff