0
0
mirror of https://github.com/TrianguloY/UrlChecker.git synced 2024-09-19 20:02:16 +02:00

old first version

This commit is contained in:
TrianguloY 2020-07-12 11:53:24 +02:00
commit 72d4bb0200
25 changed files with 1056 additions and 0 deletions

53
.gitignore vendored Normal file
View File

@ -0,0 +1,53 @@
# Built application files
*.apk
*.ap_
mapping.txt
output.json
# Files for the ART/Dalvik VM
*.dex
# Java class files
*.class
# Generated files
bin/
gen/
out/
# Gradle files
.gradle/
build/
# Local configuration file (sdk path, etc)
local.properties
# Proguard folder generated by Eclipse
proguard/
# Log Files
*.log
# Android Studio Navigation editor temp files
.navigation/
# Android Studio captures folder
captures/
# Intellij
*.iml
.idea/
# Keystore files
*.jks
# External native build folder generated in Android Studio 2.2 and later
.externalNativeBuild
# Google Services (e.g. APIs or Firebase)
google-services.json
# Freeline
freeline.py
freeline/
freeline_project_description.json

1
app/.gitignore vendored Normal file
View File

@ -0,0 +1 @@
/build

22
app/build.gradle Normal file
View File

@ -0,0 +1,22 @@
apply plugin: 'com.android.application'
android {
compileSdkVersion 29
defaultConfig {
applicationId "com.trianguloy.urlchecker"
minSdkVersion 10
targetSdkVersion 29
versionCode 1
versionName "1.0"
}
buildTypes {
release {
minifyEnabled true
proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
}
}
}
dependencies {
implementation fileTree(dir: 'libs', include: ['*.jar'])
}

21
app/proguard-rules.pro vendored Normal file
View File

@ -0,0 +1,21 @@
# Add project specific ProGuard rules here.
# You can control the set of applied configuration files using the
# proguardFiles setting in build.gradle.
#
# For more details, see
# http://developer.android.com/guide/developing/tools/proguard.html
# If your project uses WebView with JS, uncomment the following
# and specify the fully qualified class name to the JavaScript interface
# class:
#-keepclassmembers class fqcn.of.javascript.interface.for.webview {
# public *;
#}
# Uncomment this to preserve the line number information for
# debugging stack traces.
#-keepattributes SourceFile,LineNumberTable
# If you keep the line number information, uncomment this to
# hide the original source file name.
#-renamesourcefileattribute SourceFile

View File

@ -0,0 +1,37 @@
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.trianguloy.urlchecker">
<uses-permission android:name="android.permission.INTERNET" />
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:supportsRtl="true"
android:theme="@android:style/Theme.Black">
<activity android:name="com.trianguloy.urlchecker.Settings">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<activity
android:name="com.trianguloy.urlchecker.OpenLink"
android:excludeFromRecents="true"
android:noHistory="true"
android:theme="@android:style/Theme.Dialog">
<intent-filter>
<action android:name="android.intent.action.VIEW" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.BROWSABLE" />
<data android:scheme="http" />
<data android:scheme="https" />
</intent-filter>
</activity>
</application>
</manifest>

Binary file not shown.

After

Width:  |  Height:  |  Size: 28 KiB

View File

@ -0,0 +1,68 @@
package com.trianguloy.urlchecker;
import android.content.Context;
import android.content.pm.PackageManager;
import android.view.View;
import android.view.ViewGroup;
import android.widget.BaseAdapter;
import android.widget.ImageView;
import java.util.ArrayList;
/**
* Class that [INSERT DESCRIPTION HERE]
*/
class CustomAdapter extends BaseAdapter {
private Context cntx;
private ArrayList<String> items = new ArrayList<>();
// Constructor
CustomAdapter(Context cntx) {
this.cntx = cntx;
}
void addItem(String packageName) {
items.add(packageName);
}
void clearAll() {
items.clear();
}
@Override
public int getCount() {
return items.size();
}
@Override
public String getItem(int i) {
return items.get(i);
}
@Override
public long getItemId(int i) {
return 0;
}
@Override
public View getView(int i, View convertView, ViewGroup viewGroup) {
ImageView imageView;
if (convertView == null) {
// if it's not recycled, initialize some attributes
imageView = new ImageView(cntx);
imageView.setPadding(8, 8, 8, 8);
} else {
imageView = (ImageView) convertView;
}
try {
imageView.setImageDrawable(cntx.getPackageManager().getApplicationIcon(items.get(i)));
} catch (PackageManager.NameNotFoundException e) {
e.printStackTrace();
imageView.setImageResource(R.mipmap.ic_launcher);
}
return imageView;
}
}

View File

@ -0,0 +1,301 @@
package com.trianguloy.urlchecker;
import android.app.Activity;
import android.app.AlertDialog;
import android.content.Intent;
import android.content.pm.PackageManager;
import android.content.pm.ResolveInfo;
import android.graphics.Color;
import android.net.Uri;
import android.os.Build;
import android.os.Bundle;
import android.os.Parcelable;
import android.view.View;
import android.view.Window;
import android.widget.AdapterView;
import android.widget.GridView;
import android.widget.ImageButton;
import android.widget.TextView;
import android.widget.Toast;
import java.io.IOException;
import java.net.HttpURLConnection;
import java.net.URL;
import java.net.URLDecoder;
import java.util.ArrayList;
import java.util.List;
public class OpenLink extends Activity {
private TextView txt_url;
private TextView txt_result;
private ImageButton btn_redirect;
private ImageButton btn_scan;
private CustomAdapter adapter;
private String url = null;
private VirusTotalUtility.InternalReponse result = null;
private boolean scanning = false;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
requestWindowFeature(Window.FEATURE_NO_TITLE);
setContentView(R.layout.activity_open_link);
Uri uri = this.getIntent().getData();
if (uri == null) {
Toast.makeText(this, "No url!!!!", Toast.LENGTH_SHORT).show();
finish();
return;
}
url = uri.toString();
txt_url = findViewById(R.id.txt_url);
txt_result = findViewById(R.id.txt_result);
btn_redirect = findViewById(R.id.btn_goRedirect);
btn_scan = findViewById(R.id.btn_scan);
GridView grdVw_browsers = findViewById(R.id.grdVw_browsers);
adapter = new CustomAdapter(this);
grdVw_browsers.setAdapter(adapter);
grdVw_browsers.setOnItemClickListener(new AdapterView.OnItemClickListener() {
public void onItemClick(AdapterView<?> parent, View v, int position, long id) {
Intent intent = new Intent(Intent.ACTION_VIEW, Uri.parse(url));
intent.setPackage(adapter.getItem(position));
startActivity(intent);
}
});
//setOnLongClick
View.OnLongClickListener onLongClickListener = new View.OnLongClickListener() {
@Override
public boolean onLongClick(View view) {
OpenLink.this.onLongClick(view);
return false;
}
};
txt_url.setOnLongClickListener(onLongClickListener);
txt_result.setOnLongClickListener(onLongClickListener);
btn_redirect.setOnLongClickListener(onLongClickListener);
btn_scan.setOnLongClickListener(onLongClickListener);
updateUI();
createBrowsers();
}
private void setResult(String message, int color) {
txt_result.setBackgroundColor(color);
txt_result.setText(message);
}
private void scanUrl() {
if (scanning) {
scanning = false;
} else {
scanning = true;
new Thread(new Runnable() {
public void run() {
_scanUrl();
}
}).start();
}
updateUI();
}
private void _scanUrl() {
VirusTotalUtility.InternalReponse response;
while (scanning) {
response = VirusTotalUtility.scanUrl(url);
if (response.detectionsTotal > 0) {
result = response;
scanning = false;
runOnUiThread(new Runnable() {
public void run() {
updateUI();
}
});
return;
}
//retry
try {
Thread.sleep(5000);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
private void updateUI() {
txt_url.setText(url);
if (scanning) {
btn_scan.setImageResource(android.R.drawable.ic_menu_close_clear_cancel);
setResult("Scanning...", Color.GRAY);
} else {
btn_scan.setImageResource(android.R.drawable.ic_menu_search);
if (result == null) {
setResult("Press to scan", 0);
} else {
if (result.detectionsTotal <= 0) {
setResult("no detections? strange", Color.YELLOW);
} else if (result.detectionsPositive > 0) {
setResult("Uh oh, " + result.detectionsPositive + "/" + result.detectionsTotal + " engines detected the url (as of date " + result.date + ")", Color.RED);
} else {
setResult("None of the " + result.detectionsTotal + " engines detected the site (as of date " + result.date + ")", Color.GREEN);
}
}
}
}
public void onClick(View view) {
switch (view.getId()) {
case R.id.btn_scan:
scanUrl();
break;
case R.id.btn_goRedirect:
followRedirect();
break;
case R.id.txt_result:
if (result != null) {
openUrlInBrowser(result.scanUrl);
}
break;
//DEBUG: just in case
case R.id.txt_url:
openUrlInBrowser(url);
break;
}
}
public void onLongClick(View view) {
switch (view.getId()) {
case R.id.btn_goRedirect:
case R.id.btn_scan:
Toast.makeText(this, view.getContentDescription(), Toast.LENGTH_SHORT).show();
break;
case R.id.txt_result:
showDebug();
break;
}
}
private void showDebug() {
if (result != null) {
new AlertDialog.Builder(this)
.setMessage(result.info)
.show();
}
}
//https://stackoverflow.com/questions/1884230/urlconnection-doesnt-follow-redirect
private void followRedirect() {
new Thread(new Runnable() {
public void run() {
String message = null;
HttpURLConnection conn = null;
try {
conn = (HttpURLConnection) new URL(url).openConnection();
conn.setInstanceFollowRedirects(false); // Make the logic below easier to detect redirections
switch (conn.getResponseCode()) {
case HttpURLConnection.HTTP_MOVED_PERM:
case HttpURLConnection.HTTP_MOVED_TEMP:
String location = conn.getHeaderField("Location");
location = URLDecoder.decode(location, "UTF-8");
url = new URL(new URL(url), location).toExternalForm(); // Deal with relative URLs
result = null;
break;
default:
message = "No redirection, final URL, try to scan now";
}
} catch (IOException e) {
e.printStackTrace();
message = "Error when following redirect";
} finally {
if (conn != null) {
conn.disconnect();
}
}
_createBrowsers();
final String finalMessage = message;
runOnUiThread(new Runnable() {
public void run() {
updateUI();
if (finalMessage != null) {
Toast.makeText(OpenLink.this, finalMessage, Toast.LENGTH_SHORT).show();
btn_redirect.setEnabled(false);
}
}
});
}
}).start();
}
private void createBrowsers() {
new Thread(new Runnable() {
@Override
public void run() {
_createBrowsers();
runOnUiThread(new Runnable() {
@Override
public void run() {
adapter.notifyDataSetChanged();
}
});
}
}).start();
}
private void _createBrowsers() {
adapter.clearAll();
Intent baseIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(url));
PackageManager packageManager = getPackageManager();
List<ResolveInfo> resolveInfos = packageManager.queryIntentActivities(baseIntent, Build.VERSION.SDK_INT >= Build.VERSION_CODES.M ? PackageManager.MATCH_ALL : 0);
for (ResolveInfo resolveInfo : resolveInfos) {
if (!resolveInfo.activityInfo.packageName.equals(getPackageName())) {
adapter.addItem(resolveInfo.activityInfo.packageName);
}
}
}
private void openUrlInBrowser(String url) {
Intent baseIntent = new Intent(Intent.ACTION_VIEW, Uri.parse(url));
PackageManager packageManager = getPackageManager();
List<ResolveInfo> resolveInfos = packageManager.queryIntentActivities(baseIntent, Build.VERSION.SDK_INT >= Build.VERSION_CODES.M ? PackageManager.MATCH_ALL : 0);
List<Intent> intents = new ArrayList<>();
for (ResolveInfo resolveInfo : resolveInfos) {
if (!resolveInfo.activityInfo.packageName.equals(getPackageName())) {
Intent intent = new Intent(baseIntent);
intent.setPackage(resolveInfo.activityInfo.packageName);
intents.add(intent);
}
}
Intent chooserIntent = Intent.createChooser(intents.remove(0), "Choose app");
chooserIntent.putExtra(Intent.EXTRA_INITIAL_INTENTS, intents.toArray(new Parcelable[intents.size()]));
startActivity(chooserIntent);
//startActivity(new Intent(Intent.ACTION_VIEW, Uri.parse(url)));
finish();
}
}

View File

@ -0,0 +1,30 @@
package com.trianguloy.urlchecker;
import android.app.Activity;
import android.content.Intent;
import android.net.Uri;
import android.os.Bundle;
import android.view.View;
public class Settings extends Activity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_settings);
}
public void onClick(View view) {
switch (view.getId()) {
case R.id.btn_debug:
openGoogle();
break;
}
}
private void openGoogle() {
startActivity(Intent.createChooser(new Intent(Intent.ACTION_VIEW, Uri.parse("http://www.google.com")), "Open"));
}
}

View File

@ -0,0 +1,123 @@
package com.trianguloy.urlchecker;
import org.json.JSONException;
import org.json.JSONObject;
import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.io.UnsupportedEncodingException;
import java.net.URL;
import java.net.URLConnection;
import java.net.URLEncoder;
/**
* Class that [INSERT DESCRIPTION HERE]
*/
public class VirusTotalUtility {
static private final String key = "**REMOVED**";
static private final String urlGetReport = "http://www.virustotal.com/vtapi/v2/url/report";
static class InternalReponse {
String error = "Unknown error";
int detectionsPositive;
int detectionsTotal;
String date;
String scanUrl;
String info;
}
static InternalReponse scanUrl(String urlToScan) {
InternalReponse result = new InternalReponse();
String responseJSON = performPOST(urlGetReport, getPOSTparameters(urlToScan));
// parse response
try {
JSONObject response = new JSONObject(responseJSON);
result.info = response.toString(1);
if (response.getInt("response_code") == 1) {
result.detectionsPositive = response.optInt("positives", -1);
result.detectionsTotal = response.optInt("total", -1);
result.date = response.optString("scan_date", null);
result.scanUrl = response.optString("permalink", null);
result.error = null;
return result;
} else {
result.error = response.getString("verbose_msg");
}
} catch (JSONException e) {
e.printStackTrace();
result.error = "JSON exception";
}
return result;
}
static private String getPOSTparameters(String url) {
String data = null;
try {
data = URLEncoder.encode("resource", "UTF-8")
+ "=" + URLEncoder.encode(url, "UTF-8");
data += "&" + URLEncoder.encode("scan", "UTF-8") + "="
+ URLEncoder.encode("1", "UTF-8");
data += "&" + URLEncoder.encode("apikey", "UTF-8")
+ "=" + URLEncoder.encode(key, "UTF-8");
data += "&" + URLEncoder.encode("allinfo", "UTF-8")
+ "=" + URLEncoder.encode("true", "UTF-8");
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
}
return data;
}
private static String performPOST(String urlString, String parameters) {
BufferedReader reader = null;
try {
// Defined URL where to send data
URL url = new URL(urlString);
// Send POST data request
URLConnection conn = url.openConnection();
conn.setDoOutput(true);
OutputStreamWriter wr = new OutputStreamWriter(conn.getOutputStream());
wr.write(parameters);
wr.flush();
// Get the server response
reader = new BufferedReader(new InputStreamReader(conn.getInputStream()));
StringBuilder sb = new StringBuilder();
String line = null;
// Read Server Response
while ((line = reader.readLine()) != null) {
// Append server response in string
sb.append(line).append("\n");
}
return sb.toString();
} catch (Exception ex) {
ex.printStackTrace();
} finally {
if (reader != null) {
try {
reader.close();
} catch (Exception ex) {
ex.printStackTrace();
}
}
}
return null;
}
}

View File

@ -0,0 +1,72 @@
<?xml version="1.0" encoding="utf-8"?>
<ScrollView xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".OpenLink">
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical">
<LinearLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="horizontal">
<TextView
android:id="@+id/txt_url"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_weight="1"
android:text="No url? uh oh"
android:textSize="24sp"
android:textStyle="bold" />
<ImageButton
android:id="@+id/btn_goRedirect"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:contentDescription="Follow redirect if possible"
android:onClick="onClick"
android:src="@android:drawable/ic_menu_directions" />
</LinearLayout>
<LinearLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="horizontal">
<TextView
android:id="@+id/txt_result"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:layout_weight="1"
android:onClick="onClick"
android:text="A beautiful url isn't it? What about checking if it is dangerous? " />
<ImageButton
android:id="@+id/btn_scan"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:contentDescription="Scan"
android:onClick="onClick"
android:src="@android:drawable/ic_menu_search" />
</LinearLayout>
<GridView
android:id="@+id/grdVw_browsers"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:layout_gravity="center"
android:numColumns="5"
android:scrollbars="horizontal">
</GridView>
</LinearLayout>
</ScrollView>

View File

@ -0,0 +1,22 @@
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".Settings">
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="Hello World!" />
<Button
android:id="@+id/btn_debug"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_weight="1"
android:onClick="onClick"
android:text="Scan google" />
</LinearLayout>

Binary file not shown.

After

Width:  |  Height:  |  Size: 2.9 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 1.8 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 4.1 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 6.4 KiB

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.3 KiB

View File

@ -0,0 +1,3 @@
<resources>
<string name="app_name">Url checker</string>
</resources>

27
build.gradle Normal file
View File

@ -0,0 +1,27 @@
// Top-level build file where you can add configuration options common to all sub-projects/modules.
buildscript {
repositories {
google()
jcenter()
}
dependencies {
classpath 'com.android.tools.build:gradle:4.0.0'
// NOTE: Do not place your application dependencies here; they belong
// in the individual module build.gradle files
}
}
allprojects {
repositories {
google()
jcenter()
}
}
task clean(type: Delete) {
delete rootProject.buildDir
}

13
gradle.properties Normal file
View File

@ -0,0 +1,13 @@
# Project-wide Gradle settings.
# IDE (e.g. Android Studio) users:
# Gradle settings configured through the IDE *will override*
# any settings specified in this file.
# For more details on how to configure your build environment visit
# http://www.gradle.org/docs/current/userguide/build_environment.html
# Specifies the JVM arguments used for the daemon process.
# The setting is particularly useful for tweaking memory settings.
org.gradle.jvmargs=-Xmx1536m
# When configured, Gradle will run in incubating parallel mode.
# This option should only be used with decoupled projects. More details, visit
# http://www.gradle.org/docs/current/userguide/multi_project_builds.html#sec:decoupled_projects
# org.gradle.parallel=true

BIN
gradle/wrapper/gradle-wrapper.jar vendored Normal file

Binary file not shown.

View File

@ -0,0 +1,6 @@
#Sat Jul 04 21:02:59 CEST 2020
distributionBase=GRADLE_USER_HOME
distributionPath=wrapper/dists
zipStoreBase=GRADLE_USER_HOME
zipStorePath=wrapper/dists
distributionUrl=https\://services.gradle.org/distributions/gradle-6.1.1-all.zip

172
gradlew vendored Normal file
View File

@ -0,0 +1,172 @@
#!/usr/bin/env sh
##############################################################################
##
## Gradle start up script for UN*X
##
##############################################################################
# Attempt to set APP_HOME
# Resolve links: $0 may be a link
PRG="$0"
# Need this for relative symlinks.
while [ -h "$PRG" ] ; do
ls=`ls -ld "$PRG"`
link=`expr "$ls" : '.*-> \(.*\)$'`
if expr "$link" : '/.*' > /dev/null; then
PRG="$link"
else
PRG=`dirname "$PRG"`"/$link"
fi
done
SAVED="`pwd`"
cd "`dirname \"$PRG\"`/" >/dev/null
APP_HOME="`pwd -P`"
cd "$SAVED" >/dev/null
APP_NAME="Gradle"
APP_BASE_NAME=`basename "$0"`
# Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
DEFAULT_JVM_OPTS=""
# Use the maximum available, or set MAX_FD != -1 to use that value.
MAX_FD="maximum"
warn () {
echo "$*"
}
die () {
echo
echo "$*"
echo
exit 1
}
# OS specific support (must be 'true' or 'false').
cygwin=false
msys=false
darwin=false
nonstop=false
case "`uname`" in
CYGWIN* )
cygwin=true
;;
Darwin* )
darwin=true
;;
MINGW* )
msys=true
;;
NONSTOP* )
nonstop=true
;;
esac
CLASSPATH=$APP_HOME/gradle/wrapper/gradle-wrapper.jar
# Determine the Java command to use to start the JVM.
if [ -n "$JAVA_HOME" ] ; then
if [ -x "$JAVA_HOME/jre/sh/java" ] ; then
# IBM's JDK on AIX uses strange locations for the executables
JAVACMD="$JAVA_HOME/jre/sh/java"
else
JAVACMD="$JAVA_HOME/bin/java"
fi
if [ ! -x "$JAVACMD" ] ; then
die "ERROR: JAVA_HOME is set to an invalid directory: $JAVA_HOME
Please set the JAVA_HOME variable in your environment to match the
location of your Java installation."
fi
else
JAVACMD="java"
which java >/dev/null 2>&1 || die "ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
Please set the JAVA_HOME variable in your environment to match the
location of your Java installation."
fi
# Increase the maximum file descriptors if we can.
if [ "$cygwin" = "false" -a "$darwin" = "false" -a "$nonstop" = "false" ] ; then
MAX_FD_LIMIT=`ulimit -H -n`
if [ $? -eq 0 ] ; then
if [ "$MAX_FD" = "maximum" -o "$MAX_FD" = "max" ] ; then
MAX_FD="$MAX_FD_LIMIT"
fi
ulimit -n $MAX_FD
if [ $? -ne 0 ] ; then
warn "Could not set maximum file descriptor limit: $MAX_FD"
fi
else
warn "Could not query maximum file descriptor limit: $MAX_FD_LIMIT"
fi
fi
# For Darwin, add options to specify how the application appears in the dock
if $darwin; then
GRADLE_OPTS="$GRADLE_OPTS \"-Xdock:name=$APP_NAME\" \"-Xdock:icon=$APP_HOME/media/gradle.icns\""
fi
# For Cygwin, switch paths to Windows format before running java
if $cygwin ; then
APP_HOME=`cygpath --path --mixed "$APP_HOME"`
CLASSPATH=`cygpath --path --mixed "$CLASSPATH"`
JAVACMD=`cygpath --unix "$JAVACMD"`
# We build the pattern for arguments to be converted via cygpath
ROOTDIRSRAW=`find -L / -maxdepth 1 -mindepth 1 -type d 2>/dev/null`
SEP=""
for dir in $ROOTDIRSRAW ; do
ROOTDIRS="$ROOTDIRS$SEP$dir"
SEP="|"
done
OURCYGPATTERN="(^($ROOTDIRS))"
# Add a user-defined pattern to the cygpath arguments
if [ "$GRADLE_CYGPATTERN" != "" ] ; then
OURCYGPATTERN="$OURCYGPATTERN|($GRADLE_CYGPATTERN)"
fi
# Now convert the arguments - kludge to limit ourselves to /bin/sh
i=0
for arg in "$@" ; do
CHECK=`echo "$arg"|egrep -c "$OURCYGPATTERN" -`
CHECK2=`echo "$arg"|egrep -c "^-"` ### Determine if an option
if [ $CHECK -ne 0 ] && [ $CHECK2 -eq 0 ] ; then ### Added a condition
eval `echo args$i`=`cygpath --path --ignore --mixed "$arg"`
else
eval `echo args$i`="\"$arg\""
fi
i=$((i+1))
done
case $i in
(0) set -- ;;
(1) set -- "$args0" ;;
(2) set -- "$args0" "$args1" ;;
(3) set -- "$args0" "$args1" "$args2" ;;
(4) set -- "$args0" "$args1" "$args2" "$args3" ;;
(5) set -- "$args0" "$args1" "$args2" "$args3" "$args4" ;;
(6) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" ;;
(7) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" ;;
(8) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" ;;
(9) set -- "$args0" "$args1" "$args2" "$args3" "$args4" "$args5" "$args6" "$args7" "$args8" ;;
esac
fi
# Escape application args
save () {
for i do printf %s\\n "$i" | sed "s/'/'\\\\''/g;1s/^/'/;\$s/\$/' \\\\/" ; done
echo " "
}
APP_ARGS=$(save "$@")
# Collect all arguments for the java command, following the shell quoting and substitution rules
eval set -- $DEFAULT_JVM_OPTS $JAVA_OPTS $GRADLE_OPTS "\"-Dorg.gradle.appname=$APP_BASE_NAME\"" -classpath "\"$CLASSPATH\"" org.gradle.wrapper.GradleWrapperMain "$APP_ARGS"
# by default we should be in the correct project dir, but when run from Finder on Mac, the cwd is wrong
if [ "$(uname)" = "Darwin" ] && [ "$HOME" = "$PWD" ]; then
cd "$(dirname "$0")"
fi
exec "$JAVACMD" "$@"

84
gradlew.bat vendored Normal file
View File

@ -0,0 +1,84 @@
@if "%DEBUG%" == "" @echo off
@rem ##########################################################################
@rem
@rem Gradle startup script for Windows
@rem
@rem ##########################################################################
@rem Set local scope for the variables with windows NT shell
if "%OS%"=="Windows_NT" setlocal
set DIRNAME=%~dp0
if "%DIRNAME%" == "" set DIRNAME=.
set APP_BASE_NAME=%~n0
set APP_HOME=%DIRNAME%
@rem Add default JVM options here. You can also use JAVA_OPTS and GRADLE_OPTS to pass JVM options to this script.
set DEFAULT_JVM_OPTS=
@rem Find java.exe
if defined JAVA_HOME goto findJavaFromJavaHome
set JAVA_EXE=java.exe
%JAVA_EXE% -version >NUL 2>&1
if "%ERRORLEVEL%" == "0" goto init
echo.
echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH.
echo.
echo Please set the JAVA_HOME variable in your environment to match the
echo location of your Java installation.
goto fail
:findJavaFromJavaHome
set JAVA_HOME=%JAVA_HOME:"=%
set JAVA_EXE=%JAVA_HOME%/bin/java.exe
if exist "%JAVA_EXE%" goto init
echo.
echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME%
echo.
echo Please set the JAVA_HOME variable in your environment to match the
echo location of your Java installation.
goto fail
:init
@rem Get command-line arguments, handling Windows variants
if not "%OS%" == "Windows_NT" goto win9xME_args
:win9xME_args
@rem Slurp the command line arguments.
set CMD_LINE_ARGS=
set _SKIP=2
:win9xME_args_slurp
if "x%~1" == "x" goto execute
set CMD_LINE_ARGS=%*
:execute
@rem Setup the command line
set CLASSPATH=%APP_HOME%\gradle\wrapper\gradle-wrapper.jar
@rem Execute Gradle
"%JAVA_EXE%" %DEFAULT_JVM_OPTS% %JAVA_OPTS% %GRADLE_OPTS% "-Dorg.gradle.appname=%APP_BASE_NAME%" -classpath "%CLASSPATH%" org.gradle.wrapper.GradleWrapperMain %CMD_LINE_ARGS%
:end
@rem End local scope for the variables with windows NT shell
if "%ERRORLEVEL%"=="0" goto mainEnd
:fail
rem Set variable GRADLE_EXIT_CONSOLE if you need the _script_ return code instead of
rem the _cmd.exe /c_ return code!
if not "" == "%GRADLE_EXIT_CONSOLE%" exit 1
exit /b 1
:mainEnd
if "%OS%"=="Windows_NT" endlocal
:omega

1
settings.gradle Normal file
View File

@ -0,0 +1 @@
include ':app'