Pārlūkot izejas kodu

init front deploy tools

jiapeng 7 gadi atpakaļ
revīzija
041688db7b

+ 4 - 0
.gitignore

1
/target/
2
/.classpath
3
/.project
4
/.settings/

+ 21 - 0
pom.xml

1
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
2
	xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
3
	<modelVersion>4.0.0</modelVersion>
4
	<groupId>com.ekexiu.portal</groupId>
5
	<artifactId>deploy</artifactId>
6
	<version>0.0.1-SNAPSHOT</version>
7

8
	<dependencies>
9
		<dependency>
10
			<groupId>org.freemarker</groupId>
11
			<artifactId>freemarker</artifactId>
12
			<version>2.3.26-incubating</version>
13
		</dependency>
14
		<dependency>
15
			<groupId>com.google.code.gson</groupId>
16
			<artifactId>gson</artifactId>
17
			<version>2.8.0</version>
18
		</dependency>
19

20
	</dependencies>
21
</project>

+ 884 - 0
src/main/java/com/ekexiu/portal/deploy/AntPathMatcher.java

1
package com.ekexiu.portal.deploy;
2

3
import java.util.ArrayList;
4
import java.util.Comparator;
5
import java.util.LinkedHashMap;
6
import java.util.LinkedList;
7
import java.util.List;
8
import java.util.Map;
9
import java.util.StringTokenizer;
10
import java.util.concurrent.ConcurrentHashMap;
11
import java.util.regex.Matcher;
12
import java.util.regex.Pattern;
13

14
public class AntPathMatcher {
15
	public static final String DEFAULT_PATH_SEPARATOR = "/";
16
	private static final int CACHE_TURNOFF_THRESHOLD = 65536;
17
	private static final Pattern VARIABLE_PATTERN = Pattern.compile("\\{[^/]+?\\}");
18
	private static final char[] WILDCARD_CHARS = { '*', '?', '{' };
19
	private String pathSeparator;
20
	private PathSeparatorPatternCache pathSeparatorPatternCache;
21
	private volatile Boolean cachePatterns;
22

23
	private final Map<String, String[]> tokenizedPatternCache = new ConcurrentHashMap<String, String[]>(256);
24

25
	final Map<String, AntPathStringMatcher> stringMatcherCache = new ConcurrentHashMap<String, AntPathStringMatcher>(256);
26

27
	public AntPathMatcher() {
28
		this.pathSeparator = DEFAULT_PATH_SEPARATOR;
29
		this.pathSeparatorPatternCache = new PathSeparatorPatternCache(DEFAULT_PATH_SEPARATOR);
30
	}
31

32
	public AntPathMatcher(String pathSeparator) {
33
		this.pathSeparator = pathSeparator;
34
		this.pathSeparatorPatternCache = new PathSeparatorPatternCache(pathSeparator);
35
	}
36

37
	public void setCachePatterns(boolean cachePatterns) {
38
		this.cachePatterns = cachePatterns;
39
	}
40

41
	private void deactivatePatternCache() {
42
		this.cachePatterns = false;
43
		this.tokenizedPatternCache.clear();
44
		this.stringMatcherCache.clear();
45
	}
46

47
	public boolean isPattern(String path) {
48
		return (path.indexOf('*') != -1 || path.indexOf('?') != -1);
49
	}
50

51
	public boolean match(String pattern, String path) {
52
		return doMatch(pattern, path, true, null);
53
	}
54

55
	public boolean matchStart(String pattern, String path) {
56
		return doMatch(pattern, path, false, null);
57
	}
58

59
	protected boolean doMatch(String pattern, String path, boolean fullMatch, Map<String, String> uriTemplateVariables) {
60
		if (path.startsWith(this.pathSeparator) != pattern.startsWith(this.pathSeparator)) {
61
			return false;
62
		}
63

64
		String[] pattDirs = tokenizePattern(pattern);
65
		if (fullMatch && !isPotentialMatch(path, pattDirs)) {
66
			return false;
67
		}
68

69
		String[] pathDirs = tokenizePath(path);
70

71
		int pattIdxStart = 0;
72
		int pattIdxEnd = pattDirs.length - 1;
73
		int pathIdxStart = 0;
74
		int pathIdxEnd = pathDirs.length - 1;
75

76
		// Match all elements up to the first **
77
		while (pattIdxStart <= pattIdxEnd && pathIdxStart <= pathIdxEnd) {
78
			String pattDir = pattDirs[pattIdxStart];
79
			if ("**".equals(pattDir)) {
80
				break;
81
			}
82
			if (!matchStrings(pattDir, pathDirs[pathIdxStart], uriTemplateVariables)) {
83
				return false;
84
			}
85
			pattIdxStart++;
86
			pathIdxStart++;
87
		}
88

89
		if (pathIdxStart > pathIdxEnd) {
90
			// Path is exhausted, only match if rest of pattern is * or **'s
91
			if (pattIdxStart > pattIdxEnd) {
92
				return (pattern.endsWith(this.pathSeparator) == path.endsWith(this.pathSeparator));
93
			}
94
			if (!fullMatch) {
95
				return true;
96
			}
97
			if (pattIdxStart == pattIdxEnd && pattDirs[pattIdxStart].equals("*") && path.endsWith(this.pathSeparator)) {
98
				return true;
99
			}
100
			for (int i = pattIdxStart; i <= pattIdxEnd; i++) {
101
				if (!pattDirs[i].equals("**")) {
102
					return false;
103
				}
104
			}
105
			return true;
106
		} else if (pattIdxStart > pattIdxEnd) {
107
			// String not exhausted, but pattern is. Failure.
108
			return false;
109
		} else if (!fullMatch && "**".equals(pattDirs[pattIdxStart])) {
110
			// Path start definitely matches due to "**" part in pattern.
111
			return true;
112
		}
113

114
		// up to last '**'
115
		while (pattIdxStart <= pattIdxEnd && pathIdxStart <= pathIdxEnd) {
116
			String pattDir = pattDirs[pattIdxEnd];
117
			if (pattDir.equals("**")) {
118
				break;
119
			}
120
			if (!matchStrings(pattDir, pathDirs[pathIdxEnd], uriTemplateVariables)) {
121
				return false;
122
			}
123
			pattIdxEnd--;
124
			pathIdxEnd--;
125
		}
126
		if (pathIdxStart > pathIdxEnd) {
127
			// String is exhausted
128
			for (int i = pattIdxStart; i <= pattIdxEnd; i++) {
129
				if (!pattDirs[i].equals("**")) {
130
					return false;
131
				}
132
			}
133
			return true;
134
		}
135

136
		while (pattIdxStart != pattIdxEnd && pathIdxStart <= pathIdxEnd) {
137
			int patIdxTmp = -1;
138
			for (int i = pattIdxStart + 1; i <= pattIdxEnd; i++) {
139
				if (pattDirs[i].equals("**")) {
140
					patIdxTmp = i;
141
					break;
142
				}
143
			}
144
			if (patIdxTmp == pattIdxStart + 1) {
145
				// '**/**' situation, so skip one
146
				pattIdxStart++;
147
				continue;
148
			}
149
			// Find the pattern between padIdxStart & padIdxTmp in str between
150
			// strIdxStart & strIdxEnd
151
			int patLength = (patIdxTmp - pattIdxStart - 1);
152
			int strLength = (pathIdxEnd - pathIdxStart + 1);
153
			int foundIdx = -1;
154

155
			strLoop: for (int i = 0; i <= strLength - patLength; i++) {
156
				for (int j = 0; j < patLength; j++) {
157
					String subPat = pattDirs[pattIdxStart + j + 1];
158
					String subStr = pathDirs[pathIdxStart + i + j];
159
					if (!matchStrings(subPat, subStr, uriTemplateVariables)) {
160
						continue strLoop;
161
					}
162
				}
163
				foundIdx = pathIdxStart + i;
164
				break;
165
			}
166

167
			if (foundIdx == -1) {
168
				return false;
169
			}
170

171
			pattIdxStart = patIdxTmp;
172
			pathIdxStart = foundIdx + patLength;
173
		}
174

175
		for (int i = pattIdxStart; i <= pattIdxEnd; i++) {
176
			if (!pattDirs[i].equals("**")) {
177
				return false;
178
			}
179
		}
180

181
		return true;
182
	}
183

184
	private boolean isPotentialMatch(String path, String[] pattDirs) {
185
		int pos = 0;
186
		for (String pattDir : pattDirs) {
187
			int skipped = skipSeparator(path, pos, this.pathSeparator);
188
			pos += skipped;
189
			skipped = skipSegment(path, pos, pattDir);
190
			if (skipped < pattDir.length()) {
191
				return (skipped > 0 || (pattDir.length() > 0 && isWildcardChar(pattDir.charAt(0))));
192
			}
193
			pos += skipped;
194
		}
195
		return true;
196
	}
197

198
	private int skipSegment(String path, int pos, String prefix) {
199
		int skipped = 0;
200
		for (int i = 0; i < prefix.length(); i++) {
201
			char c = prefix.charAt(i);
202
			if (isWildcardChar(c)) {
203
				return skipped;
204
			}
205
			int currPos = pos + skipped;
206
			if (currPos >= path.length()) {
207
				return 0;
208
			}
209
			if (c == path.charAt(currPos)) {
210
				skipped++;
211
			}
212
		}
213
		return skipped;
214
	}
215

216
	private int skipSeparator(String path, int pos, String separator) {
217
		int skipped = 0;
218
		while (path.startsWith(separator, pos + skipped)) {
219
			skipped += separator.length();
220
		}
221
		return skipped;
222
	}
223

224
	private boolean isWildcardChar(char c) {
225
		for (char candidate : WILDCARD_CHARS) {
226
			if (c == candidate) {
227
				return true;
228
			}
229
		}
230
		return false;
231
	}
232

233
	/**
234
	 * Tokenize the given path pattern into parts, based on this matcher's
235
	 * settings.
236
	 * <p>
237
	 * Performs caching based on {@link #setCachePatterns}, delegating to
238
	 * {@link #tokenizePath(String)} for the actual tokenization algorithm.
239
	 * 
240
	 * @param pattern
241
	 *            the pattern to tokenize
242
	 * @return the tokenized pattern parts
243
	 */
244
	protected String[] tokenizePattern(String pattern) {
245
		String[] tokenized = null;
246
		Boolean cachePatterns = this.cachePatterns;
247
		if (cachePatterns == null || cachePatterns.booleanValue()) {
248
			tokenized = this.tokenizedPatternCache.get(pattern);
249
		}
250
		if (tokenized == null) {
251
			tokenized = tokenizePath(pattern);
252
			if (cachePatterns == null && this.tokenizedPatternCache.size() >= CACHE_TURNOFF_THRESHOLD) {
253
				// Try to adapt to the runtime situation that we're
254
				// encountering:
255
				// There are obviously too many different patterns coming in
256
				// here...
257
				// So let's turn off the cache since the patterns are unlikely
258
				// to be reoccurring.
259
				deactivatePatternCache();
260
				return tokenized;
261
			}
262
			if (cachePatterns == null || cachePatterns.booleanValue()) {
263
				this.tokenizedPatternCache.put(pattern, tokenized);
264
			}
265
		}
266
		return tokenized;
267
	}
268

269
	/**
270
	 * Tokenize the given path String into parts, based on this matcher's
271
	 * settings.
272
	 * 
273
	 * @param path
274
	 *            the path to tokenize
275
	 * @return the tokenized path parts
276
	 */
277
	protected String[] tokenizePath(String path) {
278
		return tokenizeToStringArray(path, this.pathSeparator, false, true);
279
	}
280

281
	public static String[] tokenizeToStringArray(String str, String delimiters, boolean trimTokens, boolean ignoreEmptyTokens) {
282

283
		if (str == null) {
284
			return null;
285
		}
286

287
		StringTokenizer st = new StringTokenizer(str, delimiters);
288
		List<String> tokens = new ArrayList<String>();
289
		while (st.hasMoreTokens()) {
290
			String token = st.nextToken();
291
			if (trimTokens) {
292
				token = token.trim();
293
			}
294
			if (!ignoreEmptyTokens || token.length() > 0) {
295
				tokens.add(token);
296
			}
297
		}
298
		return tokens.toArray(new String[tokens.size()]);
299
	}
300

301
	/**
302
	 * Test whether or not a string matches against a pattern.
303
	 * 
304
	 * @param pattern
305
	 *            the pattern to match against (never {@code null})
306
	 * @param str
307
	 *            the String which must be matched against the pattern (never
308
	 *            {@code null})
309
	 * @return {@code true} if the string matches against the pattern, or
310
	 *         {@code false} otherwise
311
	 */
312
	private boolean matchStrings(String pattern, String str, Map<String, String> uriTemplateVariables) {
313
		return getStringMatcher(pattern).matchStrings(str, uriTemplateVariables);
314
	}
315

316
	/**
317
	 * Build or retrieve an {@link AntPathStringMatcher} for the given pattern.
318
	 * <p>
319
	 * The default implementation checks this AntPathMatcher's internal cache
320
	 * (see {@link #setCachePatterns}), creating a new AntPathStringMatcher
321
	 * instance if no cached copy is found.
322
	 * <p>
323
	 * When encountering too many patterns to cache at runtime (the threshold is
324
	 * 65536), it turns the default cache off, assuming that arbitrary
325
	 * permutations of patterns are coming in, with little chance for
326
	 * encountering a recurring pattern.
327
	 * <p>
328
	 * This method may be overridden to implement a custom cache strategy.
329
	 * 
330
	 * @param pattern
331
	 *            the pattern to match against (never {@code null})
332
	 * @return a corresponding AntPathStringMatcher (never {@code null})
333
	 * @see #setCachePatterns
334
	 */
335
	protected AntPathStringMatcher getStringMatcher(String pattern) {
336
		AntPathStringMatcher matcher = null;
337
		Boolean cachePatterns = this.cachePatterns;
338
		if (cachePatterns == null || cachePatterns.booleanValue()) {
339
			matcher = this.stringMatcherCache.get(pattern);
340
		}
341
		if (matcher == null) {
342
			matcher = new AntPathStringMatcher(pattern);
343
			if (cachePatterns == null && this.stringMatcherCache.size() >= CACHE_TURNOFF_THRESHOLD) {
344
				// Try to adapt to the runtime situation that we're
345
				// encountering:
346
				// There are obviously too many different patterns coming in
347
				// here...
348
				// So let's turn off the cache since the patterns are unlikely
349
				// to be reoccurring.
350
				deactivatePatternCache();
351
				return matcher;
352
			}
353
			if (cachePatterns == null || cachePatterns.booleanValue()) {
354
				this.stringMatcherCache.put(pattern, matcher);
355
			}
356
		}
357
		return matcher;
358
	}
359

360
	/**
361
	 * Given a pattern and a full path, determine the pattern-mapped part.
362
	 * <p>
363
	 * For example:
364
	 * <ul>
365
	 * <li>'{@code /docs/cvs/commit.html}' and '{@code /docs/cvs/commit.html} ->
366
	 * ''</li>
367
	 * <li>'{@code /docs/*}' and '{@code /docs/cvs/commit} -> '
368
	 * {@code cvs/commit}'</li>
369
	 * <li>'{@code /docs/cvs/*.html}' and '{@code /docs/cvs/commit.html} -> '
370
	 * {@code commit.html}'</li>
371
	 * <li>'{@code /docs/**}' and '{@code /docs/cvs/commit} -> '
372
	 * {@code cvs/commit}'</li>
373
	 * <li>'{@code /docs/**\/*.html}' and '{@code /docs/cvs/commit.html} -> '
374
	 * {@code cvs/commit.html}'</li>
375
	 * <li>'{@code /*.html}' and '{@code /docs/cvs/commit.html} -> '
376
	 * {@code docs/cvs/commit.html}'</li>
377
	 * <li>'{@code *.html}' and '{@code /docs/cvs/commit.html} -> '
378
	 * {@code /docs/cvs/commit.html}'</li>
379
	 * <li>'{@code *}' and '{@code /docs/cvs/commit.html} -> '
380
	 * {@code /docs/cvs/commit.html}'</li>
381
	 * </ul>
382
	 * <p>
383
	 * Assumes that {@link #match} returns {@code true} for '{@code pattern}'
384
	 * and '{@code path}', but does <strong>not</strong> enforce this.
385
	 */
386
	public String extractPathWithinPattern(String pattern, String path) {
387
		String[] patternParts = tokenizeToStringArray(pattern, this.pathSeparator, false, true);
388
		String[] pathParts = tokenizeToStringArray(path, this.pathSeparator, false, true);
389
		StringBuilder builder = new StringBuilder();
390
		boolean pathStarted = false;
391

392
		for (int segment = 0; segment < patternParts.length; segment++) {
393
			String patternPart = patternParts[segment];
394
			if (patternPart.indexOf('*') > -1 || patternPart.indexOf('?') > -1) {
395
				for (; segment < pathParts.length; segment++) {
396
					if (pathStarted || (segment == 0 && !pattern.startsWith(this.pathSeparator))) {
397
						builder.append(this.pathSeparator);
398
					}
399
					builder.append(pathParts[segment]);
400
					pathStarted = true;
401
				}
402
			}
403
		}
404

405
		return builder.toString();
406
	}
407

408
	public Map<String, String> extractUriTemplateVariables(String pattern, String path) {
409
		Map<String, String> variables = new LinkedHashMap<String, String>();
410
		boolean result = doMatch(pattern, path, true, variables);
411
		if (!result) {
412
			throw new IllegalStateException("Pattern \"" + pattern + "\" is not a match for \"" + path + "\"");
413
		}
414
		return variables;
415
	}
416

417
	public static boolean hasText(CharSequence str) {
418
		if (null == str || str.length() == 0) {
419
			return false;
420
		}
421

422
		int strLen = str.length();
423
		for (int i = 0; i < strLen; i++) {
424
			if (!Character.isWhitespace(str.charAt(i))) {
425
				return true;
426
			}
427
		}
428
		return false;
429
	}
430

431
	/**
432
	 * Combine two patterns into a new pattern.
433
	 * <p>
434
	 * This implementation simply concatenates the two patterns, unless the
435
	 * first pattern contains a file extension match (e.g., {@code *.html}). In
436
	 * that case, the second pattern will be merged into the first. Otherwise,
437
	 * an {@code IllegalArgumentException} will be thrown.
438
	 * <h3>Examples</h3>
439
	 * <table border="1">
440
	 * <tr>
441
	 * <th>Pattern 1</th>
442
	 * <th>Pattern 2</th>
443
	 * <th>Result</th>
444
	 * </tr>
445
	 * <tr>
446
	 * <td>{@code null}</td>
447
	 * <td>{@code null}</td>
448
	 * <td>&nbsp;</td>
449
	 * </tr>
450
	 * <tr>
451
	 * <td>/hotels</td>
452
	 * <td>{@code null}</td>
453
	 * <td>/hotels</td>
454
	 * </tr>
455
	 * <tr>
456
	 * <td>{@code null}</td>
457
	 * <td>/hotels</td>
458
	 * <td>/hotels</td>
459
	 * </tr>
460
	 * <tr>
461
	 * <td>/hotels</td>
462
	 * <td>/bookings</td>
463
	 * <td>/hotels/bookings</td>
464
	 * </tr>
465
	 * <tr>
466
	 * <td>/hotels</td>
467
	 * <td>bookings</td>
468
	 * <td>/hotels/bookings</td>
469
	 * </tr>
470
	 * <tr>
471
	 * <td>/hotels/*</td>
472
	 * <td>/bookings</td>
473
	 * <td>/hotels/bookings</td>
474
	 * </tr>
475
	 * <tr>
476
	 * <td>/hotels/&#42;&#42;</td>
477
	 * <td>/bookings</td>
478
	 * <td>/hotels/&#42;&#42;/bookings</td>
479
	 * </tr>
480
	 * <tr>
481
	 * <td>/hotels</td>
482
	 * <td>{hotel}</td>
483
	 * <td>/hotels/{hotel}</td>
484
	 * </tr>
485
	 * <tr>
486
	 * <td>/hotels/*</td>
487
	 * <td>{hotel}</td>
488
	 * <td>/hotels/{hotel}</td>
489
	 * </tr>
490
	 * <tr>
491
	 * <td>/hotels/&#42;&#42;</td>
492
	 * <td>{hotel}</td>
493
	 * <td>/hotels/&#42;&#42;/{hotel}</td>
494
	 * </tr>
495
	 * <tr>
496
	 * <td>/*.html</td>
497
	 * <td>/hotels.html</td>
498
	 * <td>/hotels.html</td>
499
	 * </tr>
500
	 * <tr>
501
	 * <td>/*.html</td>
502
	 * <td>/hotels</td>
503
	 * <td>/hotels.html</td>
504
	 * </tr>
505
	 * <tr>
506
	 * <td>/*.html</td>
507
	 * <td>/*.txt</td>
508
	 * <td>{@code IllegalArgumentException}</td>
509
	 * </tr>
510
	 * </table>
511
	 * 
512
	 * @param pattern1
513
	 *            the first pattern
514
	 * @param pattern2
515
	 *            the second pattern
516
	 * @return the combination of the two patterns
517
	 * @throws IllegalArgumentException
518
	 *             if the two patterns cannot be combined
519
	 */
520
	public String combine(String pattern1, String pattern2) {
521
		if (!hasText(pattern1) && !hasText(pattern2)) {
522
			return "";
523
		}
524
		if (!hasText(pattern1)) {
525
			return pattern2;
526
		}
527
		if (!hasText(pattern2)) {
528
			return pattern1;
529
		}
530

531
		boolean pattern1ContainsUriVar = (pattern1.indexOf('{') != -1);
532
		if (!pattern1.equals(pattern2) && !pattern1ContainsUriVar && match(pattern1, pattern2)) {
533
			// /* + /hotel -> /hotel ; "/*.*" + "/*.html" -> /*.html
534
			// However /user + /user -> /usr/user ; /{foo} + /bar -> /{foo}/bar
535
			return pattern2;
536
		}
537

538
		// /hotels/* + /booking -> /hotels/booking
539
		// /hotels/* + booking -> /hotels/booking
540
		if (pattern1.endsWith(this.pathSeparatorPatternCache.getEndsOnWildCard())) {
541
			return concat(pattern1.substring(0, pattern1.length() - 2), pattern2);
542
		}
543

544
		// /hotels/** + /booking -> /hotels/**/booking
545
		// /hotels/** + booking -> /hotels/**/booking
546
		if (pattern1.endsWith(this.pathSeparatorPatternCache.getEndsOnDoubleWildCard())) {
547
			return concat(pattern1, pattern2);
548
		}
549

550
		int starDotPos1 = pattern1.indexOf("*.");
551
		if (pattern1ContainsUriVar || starDotPos1 == -1 || this.pathSeparator.equals(".")) {
552
			// simply concatenate the two patterns
553
			return concat(pattern1, pattern2);
554
		}
555

556
		String ext1 = pattern1.substring(starDotPos1 + 1);
557
		int dotPos2 = pattern2.indexOf('.');
558
		String file2 = (dotPos2 == -1 ? pattern2 : pattern2.substring(0, dotPos2));
559
		String ext2 = (dotPos2 == -1 ? "" : pattern2.substring(dotPos2));
560
		boolean ext1All = (ext1.equals(".*") || ext1.equals(""));
561
		boolean ext2All = (ext2.equals(".*") || ext2.equals(""));
562
		if (!ext1All && !ext2All) {
563
			throw new IllegalArgumentException("Cannot combine patterns: " + pattern1 + " vs " + pattern2);
564
		}
565
		String ext = (ext1All ? ext2 : ext1);
566
		return file2 + ext;
567
	}
568

569
	private String concat(String path1, String path2) {
570
		boolean path1EndsWithSeparator = path1.endsWith(this.pathSeparator);
571
		boolean path2StartsWithSeparator = path2.startsWith(this.pathSeparator);
572

573
		if (path1EndsWithSeparator && path2StartsWithSeparator) {
574
			return path1 + path2.substring(1);
575
		} else if (path1EndsWithSeparator || path2StartsWithSeparator) {
576
			return path1 + path2;
577
		} else {
578
			return path1 + this.pathSeparator + path2;
579
		}
580
	}
581

582
	/**
583
	 * Given a full path, returns a {@link Comparator} suitable for sorting
584
	 * patterns in order of explicitness.
585
	 * <p>
586
	 * This{@code Comparator} will
587
	 * {@linkplain java.util.Collections#sort(List, Comparator) sort} a list so
588
	 * that more specific patterns (without uri templates or wild cards) come
589
	 * before generic patterns. So given a list with the following patterns:
590
	 * <ol>
591
	 * <li>{@code /hotels/new}</li>
592
	 * <li>{@code /hotels/{hotel}}</li>
593
	 * <li>{@code /hotels/*}</li>
594
	 * </ol>
595
	 * the returned comparator will sort this list so that the order will be as
596
	 * indicated.
597
	 * <p>
598
	 * The full path given as parameter is used to test for exact matches. So
599
	 * when the given path is {@code /hotels/2}, the pattern {@code /hotels/2}
600
	 * will be sorted before {@code /hotels/1}.
601
	 * 
602
	 * @param path
603
	 *            the full path to use for comparison
604
	 * @return a comparator capable of sorting patterns in order of explicitness
605
	 */
606
	public Comparator<String> getPatternComparator(String path) {
607
		return new AntPatternComparator(path);
608
	}
609

610
	/**
611
	 * Tests whether or not a string matches against a pattern via a
612
	 * {@link Pattern}.
613
	 * <p>
614
	 * The pattern may contain special characters: '*' means zero or more
615
	 * characters; '?' means one and only one character; '{' and '}' indicate a
616
	 * URI template pattern. For example <tt>/users/{user}</tt>.
617
	 */
618
	protected static class AntPathStringMatcher {
619

620
		private static final Pattern GLOB_PATTERN = Pattern.compile("\\?|\\*|\\{((?:\\{[^/]+?\\}|[^/{}]|\\\\[{}])+?)\\}");
621

622
		private static final String DEFAULT_VARIABLE_PATTERN = "(.*)";
623

624
		private final Pattern pattern;
625

626
		private final List<String> variableNames = new LinkedList<String>();
627

628
		public AntPathStringMatcher(String pattern) {
629
			StringBuilder patternBuilder = new StringBuilder();
630
			Matcher matcher = GLOB_PATTERN.matcher(pattern);
631
			int end = 0;
632
			while (matcher.find()) {
633
				patternBuilder.append(quote(pattern, end, matcher.start()));
634
				String match = matcher.group();
635
				if ("?".equals(match)) {
636
					patternBuilder.append('.');
637
				} else if ("*".equals(match)) {
638
					patternBuilder.append(".*");
639
				} else if (match.startsWith("{") && match.endsWith("}")) {
640
					int colonIdx = match.indexOf(':');
641
					if (colonIdx == -1) {
642
						patternBuilder.append(DEFAULT_VARIABLE_PATTERN);
643
						this.variableNames.add(matcher.group(1));
644
					} else {
645
						String variablePattern = match.substring(colonIdx + 1, match.length() - 1);
646
						patternBuilder.append('(');
647
						patternBuilder.append(variablePattern);
648
						patternBuilder.append(')');
649
						String variableName = match.substring(1, colonIdx);
650
						this.variableNames.add(variableName);
651
					}
652
				}
653
				end = matcher.end();
654
			}
655
			patternBuilder.append(quote(pattern, end, pattern.length()));
656
			this.pattern = ( Pattern.compile(patternBuilder.toString()));
657
		}
658

659
		private String quote(String s, int start, int end) {
660
			if (start == end) {
661
				return "";
662
			}
663
			return Pattern.quote(s.substring(start, end));
664
		}
665

666
		/**
667
		 * Main entry point.
668
		 * 
669
		 * @return {@code true} if the string matches against the pattern, or
670
		 *         {@code false} otherwise.
671
		 */
672
		public boolean matchStrings(String str, Map<String, String> uriTemplateVariables) {
673
			Matcher matcher = this.pattern.matcher(str);
674
			if (matcher.matches()) {
675
				if (uriTemplateVariables != null) {
676
					// SPR-8455
677
					if (this.variableNames.size() != matcher.groupCount()) {
678
						throw new IllegalArgumentException("The number of capturing groups in the pattern segment " + this.pattern
679
								+ " does not match the number of URI template variables it defines, "
680
								+ "which can occur if capturing groups are used in a URI template regex. " + "Use non-capturing groups instead.");
681
					}
682
					for (int i = 1; i <= matcher.groupCount(); i++) {
683
						String name = this.variableNames.get(i - 1);
684
						String value = matcher.group(i);
685
						uriTemplateVariables.put(name, value);
686
					}
687
				}
688
				return true;
689
			} else {
690
				return false;
691
			}
692
		}
693
	}
694

695
	/**
696
	 * The default {@link Comparator} implementation returned by
697
	 * {@link #getPatternComparator(String)}.
698
	 * <p>
699
	 * In order, the most "generic" pattern is determined by the following:
700
	 * <ul>
701
	 * <li>if it's null or a capture all pattern (i.e. it is equal to "/**")
702
	 * </li>
703
	 * <li>if the other pattern is an actual match</li>
704
	 * <li>if it's a catch-all pattern (i.e. it ends with "**"</li>
705
	 * <li>if it's got more "*" than the other pattern</li>
706
	 * <li>if it's got more "{foo}" than the other pattern</li>
707
	 * <li>if it's shorter than the other pattern</li>
708
	 * </ul>
709
	 */
710
	protected static class AntPatternComparator implements Comparator<String> {
711

712
		private final String path;
713

714
		public AntPatternComparator(String path) {
715
			this.path = path;
716
		}
717

718

719
		public int compare(String pattern1, String pattern2) {
720
			PatternInfo info1 = new PatternInfo(pattern1);
721
			PatternInfo info2 = new PatternInfo(pattern2);
722

723
			if (info1.isLeastSpecific() && info2.isLeastSpecific()) {
724
				return 0;
725
			} else if (info1.isLeastSpecific()) {
726
				return 1;
727
			} else if (info2.isLeastSpecific()) {
728
				return -1;
729
			}
730

731
			boolean pattern1EqualsPath = pattern1.equals(path);
732
			boolean pattern2EqualsPath = pattern2.equals(path);
733
			if (pattern1EqualsPath && pattern2EqualsPath) {
734
				return 0;
735
			} else if (pattern1EqualsPath) {
736
				return -1;
737
			} else if (pattern2EqualsPath) {
738
				return 1;
739
			}
740

741
			if (info1.isPrefixPattern() && info2.getDoubleWildcards() == 0) {
742
				return 1;
743
			} else if (info2.isPrefixPattern() && info1.getDoubleWildcards() == 0) {
744
				return -1;
745
			}
746

747
			if (info1.getTotalCount() != info2.getTotalCount()) {
748
				return info1.getTotalCount() - info2.getTotalCount();
749
			}
750

751
			if (info1.getLength() != info2.getLength()) {
752
				return info2.getLength() - info1.getLength();
753
			}
754

755
			if (info1.getSingleWildcards() < info2.getSingleWildcards()) {
756
				return -1;
757
			} else if (info2.getSingleWildcards() < info1.getSingleWildcards()) {
758
				return 1;
759
			}
760

761
			if (info1.getUriVars() < info2.getUriVars()) {
762
				return -1;
763
			} else if (info2.getUriVars() < info1.getUriVars()) {
764
				return 1;
765
			}
766

767
			return 0;
768
		}
769

770
		/**
771
		 * Value class that holds information about the pattern, e.g. number of
772
		 * occurrences of "*", "**", and "{" pattern elements.
773
		 */
774
		private static class PatternInfo {
775

776
			private final String pattern;
777

778
			private int uriVars;
779

780
			private int singleWildcards;
781

782
			private int doubleWildcards;
783

784
			private boolean catchAllPattern;
785

786
			private boolean prefixPattern;
787

788
			private Integer length;
789

790
			public PatternInfo(String pattern) {
791
				this.pattern = pattern;
792
				if (this.pattern != null) {
793
					initCounters();
794
					this.catchAllPattern = this.pattern.equals("/**");
795
					this.prefixPattern = !this.catchAllPattern && this.pattern.endsWith("/**");
796
				}
797
				if (this.uriVars == 0) {
798
					this.length = (this.pattern != null ? this.pattern.length() : 0);
799
				}
800
			}
801

802
			protected void initCounters() {
803
				int pos = 0;
804
				while (pos < this.pattern.length()) {
805
					if (this.pattern.charAt(pos) == '{') {
806
						this.uriVars++;
807
						pos++;
808
					} else if (this.pattern.charAt(pos) == '*') {
809
						if (pos + 1 < this.pattern.length() && this.pattern.charAt(pos + 1) == '*') {
810
							this.doubleWildcards++;
811
							pos += 2;
812
						} else if (pos > 0 && !this.pattern.substring(pos - 1).equals(".*")) {
813
							this.singleWildcards++;
814
							pos++;
815
						} else {
816
							pos++;
817
						}
818
					} else {
819
						pos++;
820
					}
821
				}
822
			}
823

824
			public int getUriVars() {
825
				return this.uriVars;
826
			}
827

828
			public int getSingleWildcards() {
829
				return this.singleWildcards;
830
			}
831

832
			public int getDoubleWildcards() {
833
				return this.doubleWildcards;
834
			}
835

836
			public boolean isLeastSpecific() {
837
				return (this.pattern == null || this.catchAllPattern);
838
			}
839

840
			public boolean isPrefixPattern() {
841
				return this.prefixPattern;
842
			}
843

844
			public int getTotalCount() {
845
				return this.uriVars + this.singleWildcards + (2 * this.doubleWildcards);
846
			}
847

848
			/**
849
			 * Returns the length of the given pattern, where template variables
850
			 * are considered to be 1 long.
851
			 */
852
			public int getLength() {
853
				if (this.length == null) {
854
					this.length = VARIABLE_PATTERN.matcher(this.pattern).replaceAll("#").length();
855
				}
856
				return this.length;
857
			}
858
		}
859
	}
860

861
	/**
862
	 * A simple cache for patterns that depend on the configured path separator.
863
	 */
864
	private static class PathSeparatorPatternCache {
865

866
		private final String endsOnWildCard;
867

868
		private final String endsOnDoubleWildCard;
869

870
		public PathSeparatorPatternCache(String pathSeparator) {
871
			this.endsOnWildCard = pathSeparator + "*";
872
			this.endsOnDoubleWildCard = pathSeparator + "**";
873
		}
874

875
		public String getEndsOnWildCard() {
876
			return this.endsOnWildCard;
877
		}
878

879
		public String getEndsOnDoubleWildCard() {
880
			return this.endsOnDoubleWildCard;
881
		}
882
	}
883

884
}

+ 379 - 0
src/main/java/com/ekexiu/portal/deploy/Main.java

1
package com.ekexiu.portal.deploy;
2

3
import java.io.File;
4
import java.io.FileInputStream;
5
import java.io.FileNotFoundException;
6
import java.io.FileOutputStream;
7
import java.io.IOException;
8
import java.io.InputStream;
9
import java.io.InputStreamReader;
10
import java.io.OutputStream;
11
import java.io.OutputStreamWriter;
12
import java.nio.charset.Charset;
13
import java.security.KeyStore.Entry;
14
import java.util.HashMap;
15
import java.util.LinkedList;
16
import java.util.List;
17
import java.util.ListIterator;
18
import java.util.Map;
19

20
import com.google.gson.Gson;
21
import com.google.gson.reflect.TypeToken;
22

23
import freemarker.template.Configuration;
24
import freemarker.template.Template;
25
import freemarker.template.TemplateException;
26
import freemarker.template.TemplateExceptionHandler;
27

28
public class Main {
29
	public static Charset UTF8 = Charset.forName("UTF-8");
30

31
	private File source;
32
	private File dest;
33
	private String model = "dev";
34
	private byte[] copyBuf = new byte[4096];
35

36
	private boolean debug = false;
37

38
	private Configuration cfg;
39

40
	private Map<String, Object> setting;
41

42
	private LinkedList<String> fileMatchers = new LinkedList<String>();
43
	private LinkedList<String> ignoreFileMatchers = new LinkedList<String>();
44
	private AntPathMatcher pathMatcher = new AntPathMatcher();
45
	private Gson gson = new Gson();
46

47
	private LinkedList<String> currentFileName = new LinkedList<String>();
48

49
	public File getSource() {
50
		return source;
51
	}
52

53
	public void setSource(File source) {
54
		this.source = source;
55
		log("set source dir["+source.getAbsolutePath()+"]");
56
	}
57

58
	public File getDest() {
59
		return dest;
60
	}
61

62
	public void setDest(File dest) {
63
		log("set dest dir["+dest.getAbsolutePath()+"]");
64
		this.dest = dest;
65
	}
66

67
	public String getModel() {
68
		return model;
69
	}
70

71
	public void setModel(String model) {
72
		this.model = model;
73
		log("set model["+model+"]");
74
	}
75

76
	public Configuration getCfg() {
77
		return cfg;
78
	}
79

80
	public void setCfg(Configuration cfg) {
81
		this.cfg = cfg;
82
	}
83

84
	public void log(String s) {
85
		if (debug) {
86
			System.out.println(s);
87
		}
88
	}
89

90
	public static void main(String[] args) {
91
		if (args.length < 3) {
92
			showUseage();
93
			return;
94
		}
95
		File s = new File(args[0]);
96
		File d = new File(args[1]);
97
		String dm = args.length > 2 ? (args[2]) : "dev";
98
		dm = dm.trim();
99
		if (dm.length() == 0)
100
			dm = "dev";
101
		if (!s.exists()) {
102
			System.out.println("source path [" + s.getAbsolutePath() + "] not exists");
103
			return;
104
		}
105
		if (s.isFile()) {
106
			System.out.println("source path [" + s.getAbsolutePath() + "] is a file");
107
			return;
108
		}
109
		try {
110
			Main.checkDir(d);
111
			Main command = new Main();
112
			command.debug = args.length > 3;
113
			command.setDest(d);
114
			command.setSource(s);
115
			command.setModel(dm);
116
			command.initSetting();
117
			command.initConfig();
118
			command.processDir(command.getSource());
119
			System.out.println("deploy success");
120
		} catch (Throwable th) {
121
			th.printStackTrace(System.out);
122
		}
123
	}
124

125
	public static void showUseage() {
126
		System.out.println("usage:  deploy  SOURCE DEST  DEPLOY_MODEL");
127
		System.out.println("            SOURCE  file path ");
128
		System.out.println("            DEST       file path ");
129
		System.out.println("            DEPLOY_MODEL     like  dev test  pub... ");
130
	}
131

132
	public String getCurrentFileName() {
133
		StringBuilder sb = new StringBuilder();
134
		for (ListIterator<String> it = this.currentFileName.listIterator(); it.hasNext();) {
135
			sb.append(it.next());
136
		}
137
		return sb.toString();
138
	}
139

140
	public void initConfig() throws IOException {
141
		this.cfg = new Configuration(Configuration.VERSION_2_3_26);
142
		cfg.setDirectoryForTemplateLoading(this.source);
143
		cfg.setTemplateExceptionHandler(TemplateExceptionHandler.RETHROW_HANDLER);
144
	}
145

146
	public void processDir(File dir) throws IOException, TemplateException {
147
		for (String fn : dir.list()) {
148
			if(debug){
149
				System.out.println("list dir["+dir.getAbsolutePath()+"]===>child["+fn+"]");
150
			}
151
			if (fn.equals(".") || fn.equals("..")) {
152
				continue;
153
			} else {
154
				this.currentFileName.addLast("/" + fn);
155
				try {
156
					File file = new File(dir, fn);
157
					if (file.isFile()) {
158
						processFile(file);
159
					} else {
160
						processDir(file);
161
					}
162
				} finally {
163
					this.currentFileName.removeLast();
164
				}
165
			}
166
		}
167
	}
168

169
	public boolean isMatchHandler(String fn) {
170
		for (String p : fileMatchers) {
171
			if (this.pathMatcher.match(p, fn))
172
				return true;
173
		}
174
		return false;
175
	}
176

177
	public boolean isMatchIgnore(String fn) {
178
		for (String p : this.ignoreFileMatchers) {
179
			if (this.pathMatcher.match(p, fn))
180
				return true;
181
		}
182
		return false;
183
	}
184

185
	public void processFile(File file) throws IOException, TemplateException {
186
		String fullName = this.getCurrentFileName();
187
		String name = this.currentFileName.getLast().substring(1);
188
		File destFile = null;
189

190
		if (name.endsWith(".ftl")) {
191
			name = name.substring(0, name.length() - 4);
192
			if (name.indexOf('.') <= 0) {
193
				if(debug){
194
					System.out.println("file["+fullName+"] is only ftl    don't copy and don't  process");
195
				}
196
				return;
197
			}
198
			destFile = new File(this.dest, fullName.substring(1, fullName.length() - 4));
199
		}
200
		if (destFile == null) {
201
			if (this.isMatchHandler(fullName)) {
202
				destFile = new File(this.dest, fullName.substring(1));
203
			}
204
		}
205

206
		if (destFile == null) {
207
			if (isMatchIgnore(fullName)) {
208
				if(debug){
209
					System.out.println("file["+fullName+"] is ignored");
210
				}
211
				return;
212
			}
213
			destFile = new File(this.dest, fullName.substring(1));
214
			if(debug){
215
				System.out.println("file["+fullName+"] will do  copy to file:"+destFile.getAbsolutePath());
216
			}
217
			checkDir(destFile.getParentFile());
218
			copy(file, destFile);
219
		} else {
220
			if(debug){
221
				System.out.println("file["+fullName+"] will do  process to file:"+destFile.getAbsolutePath());
222
			}
223
			checkDir(destFile.getParentFile());
224
			genFile(fullName, destFile);
225
		}
226

227
	}
228

229
	private void copy(File src, File destFile) throws IOException {
230
		if (destFile.exists()) {
231
			if (!destFile.delete()) {
232
				throw new IOException("delete file[" + destFile.getAbsolutePath() + "] error");
233
			}
234
		}
235
		InputStream in = new FileInputStream(src);
236
		try {
237
			OutputStream out = new FileOutputStream(destFile);
238
			try {
239
				int len = 0;
240
				while ((len = in.read(copyBuf)) != -1) {
241
					if (len > 0) {
242
						out.write(copyBuf, 0, len);
243
					}
244
				}
245
				out.flush();
246
			} finally {
247
				out.close();
248
			}
249
		} finally {
250
			in.close();
251
		}
252

253
	}
254

255
	private void genFile(String name, File destFile) throws IOException, TemplateException {
256
		Template template = this.cfg.getTemplate(name, "UTF-8");
257
		this.setting.put("templateFileName", name);
258
		if (destFile.exists()) {
259
			if (!destFile.delete()) {
260
				throw new IOException("delete file[" + destFile.getAbsolutePath() + "] error");
261
			}
262
		}
263
		OutputStream out = new FileOutputStream(destFile);
264
		try {
265
			template.process(this.setting, new OutputStreamWriter(out, UTF8));
266
			out.flush();
267
		} finally {
268
			out.close();
269
		}
270
	}
271

272
	private void merge(Map<String, Object> dest, Map<String, Object> src) {
273
		for (Map.Entry<String, Object> entry : src.entrySet()) {
274
			String key = entry.getKey();
275
			Object val = entry.getValue();
276
			Object dval = dest.get(key);
277
			if (dval == null) {
278
				dest.put(key, val);
279
			} else {
280
				if (dval instanceof Number) {
281
					dest.put(key, val);
282
				} else if (dval instanceof Boolean) {
283
					dest.put(key, val);
284
				}
285
				if (dval instanceof CharSequence) {
286
					dest.put(key, val);
287
				} else if (dval instanceof List) {
288
					if (val instanceof List) {
289
						merge((List<Object>) dval, (List<Object>) val);
290
					} else {
291
						((List<Object>) dval).add(val);
292
					}
293
				} else if (dval instanceof Map) {
294
					if (val instanceof Map) {
295
						merge((Map<String, Object>) dval, (Map<String, Object>) val);
296
					}
297
				}
298
			}
299
		}
300
	}
301

302
	private void merge(List<Object> dest, List<Object> src) {
303
		for (Object obj : src) {
304
			if (!dest.contains(obj)) {
305
				dest.add(obj);
306
			}
307
		}
308
	}
309

310
	private Map<String, Object> readJson(File file, boolean raise) throws IOException {
311
		if (!file.exists()) {
312
			if (raise)
313
				throw new IOException("file " + file.getAbsolutePath() + " not exists");
314
			return null;
315
		}
316
		if (file.isDirectory()) {
317
			if (raise)
318
				throw new IOException("file " + file.getAbsolutePath() + " not exists");
319
			return null;
320
		}
321
		InputStream in = new FileInputStream(file);
322
		try {
323
			return gson.fromJson(new InputStreamReader(in, "UTF-8"), new TypeToken<Map<String, Object>>() {
324
			}.getType());
325
		} finally {
326
			in.close();
327
		}
328
	}
329

330
	private void initSetting() throws IOException {
331
		setting = readJson(new File(source, "build_cfg/ekexiu_build.json"), true);
332
		if(debug){
333
			System.out.println(gson.toJson(setting));
334
		}
335
		Map<String, Object> appendSetting = readJson(new File(source, "build_cfg/ekexiu_build_" + model + ".json"), false);
336
		if(debug){
337
			System.out.println(gson.toJson(appendSetting));
338
		}
339
		merge(setting, appendSetting);
340
		setting.put("deploy", model);
341
		if(debug){
342
			System.out.println(gson.toJson(setting));
343
		}
344
		Object fs = setting.get("handleFiles");
345
		if (fs.getClass().equals(String.class)) {
346
			this.fileMatchers.add((String) fs);
347
		} else if (fs instanceof List) {
348
			for (Object item : (List) fs) {
349
				if (item != null && item.getClass().equals(String.class)) {
350
					this.fileMatchers.add((String) item);
351
				}
352
			}
353
		}
354
		Object iis = setting.get("ignoreFiles");
355
		if (iis.getClass().equals(String.class)) {
356
			this.ignoreFileMatchers.add((String) iis);
357
		} else if (iis instanceof List) {
358
			for (Object item : (List) iis) {
359
				if (item != null && item.getClass().equals(String.class)) {
360
					this.ignoreFileMatchers.add((String) item);
361
				}
362
			}
363
		}
364
		if(debug){
365
			System.out.println(gson.toJson(setting));
366
		}
367
	}
368

369
	private static void checkDir(File dir) throws IOException {
370
		if (!dir.exists()) {
371
			if (!dir.mkdirs()) {
372
				throw new IOException("mkdir [" + dir.getAbsolutePath() + "] error");
373
			}
374
		}
375
		if (dir.isFile()) {
376
			throw new IOException("dir [" + dir.getAbsolutePath() + "] is file");
377
		}
378
	}
379
}