从资产文件夹中获取随机一行文本。

huangapple go评论85阅读模式
英文:

Get a random line from a text file in assets folder

问题

以下是翻译好的部分:

package com.bechrisapps.passworder;

import androidx.appcompat.app.AppCompatActivity;
import android.content.ClipData;
import android.content.ClipboardManager;
import android.content.Context;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.TextView;
import com.bechrisapps.passworder.utility.FileUtil;
import java.util.ArrayList;
import java.util.HashMap;
import org.jetbrains.annotations.NotNull;

public class GeneratedActivity extends AppCompatActivity {

    public static int MINIMAL_LENGTH = 1;
    public static String CHARACTER_IN_BETWEEN = "";
    public static ArrayList<HashMap<String, Object>> REPLACEMENT_RULE = MainActivity.replacementRule;

    private String replaceFrom = "", replaceTo = "";

    private TextView textView;
    private Button btnGenerate, btnCopy;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_generated);
        initialize();
        initializeLogic();
    }

    private void initialize() {
        textView = findViewById(R.id.generated_password);
        btnGenerate = findViewById(R.id.generated_renew);
        btnCopy = findViewById(R.id.generated_copy);

        btnCopy.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                ClipboardManager clipboardManager = (ClipboardManager) getSystemService(Context.CLIPBOARD_SERVICE);
                ClipData clip = ClipData.newPlainText("copiedPassword", textView.getText().toString());
                clipboardManager.setPrimaryClip(clip);
            }
        });
    }

    private void initializeLogic() {
        generatePassword(MINIMAL_LENGTH, CHARACTER_IN_BETWEEN, REPLACEMENT_RULE);
    }

    private String generatePassword(int minLength, String charactersInBetween, @NotNull ArrayList<HashMap<String, Object>> replacementRule) {
        String wordList = FileUtil.readFile(getAssets() + "WordList.txt");
        String output = "";
        for (int i = 0; i < replacementRule.size(); i++) {
            output = output.replaceAll(replacementRule.get(i).get("replaceFrom").toString(), replacementRule.get(i).get("replaceTo").toString());
        }
        return output;
    }
}
package com.bechrisapps.passworder.utility;

import android.content.ContentResolver;
import android.content.Context;
import android.database.Cursor;
import android.net.Uri;
import android.os.Environment;
import android.provider.DocumentsContract;
import android.provider.MediaStore;
import android.text.TextUtils;
import android.util.Log;
import java.io.*;
import java.net.URLDecoder;
import java.util.ArrayList;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import java.util.zip.ZipOutputStream;

public class FileUtil {

    private static void createNewFile(String path) {
        int lastSep = path.lastIndexOf(File.separator);
        if (lastSep > 0) {
            String dirPath = path.substring(0, lastSep);
            makeDir(dirPath);
        }

        File file = new File(path);

        try {
            if (!file.exists())
                file.createNewFile();
        } catch (IOException e) {
            e.printStackTrace();
        }
    }

    public static String readFile(String path) {
        createNewFile(path);

        StringBuilder sb = new StringBuilder();
        FileReader fr = null;
        try {
            fr = new FileReader(new File(path));

            char[] buff = new char[1024];
            int length = 0;

            while ((length = fr.read(buff)) > 0) {
                sb.append(new String(buff, 0, length));
            }
        } catch (IOException e) {
            e.printStackTrace();
        } finally {
            if (fr != null) {
                try {
                    fr.close();
                } catch (Exception e) {
                    e.printStackTrace();
                }
            }
        }

        return sb.toString();
    }

    public static void writeFile(String path, String str) {
        createNewFile(path);
        FileWriter fileWriter = null;

        try {
            fileWriter = new FileWriter(new File(path), false);
            fileWriter.write(str);
            fileWriter.flush();
        } catch (IOException e) {
            e.printStackTrace();
        } finally {
            try {
                if (fileWriter != null)
                    fileWriter.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
    }

    // ...
    // (此处省略了其他方法内容)
    // ...
}

请注意,为了保持可读性,我省略了一些代码的部分,只保留了核心内容。如果需要完整的代码,请确保将原始代码复制粘贴到适当的开发环境中。

英文:

I am currently trying to re-create a project from Python into Android Application. But I am currently stuck with something I don't literally know.

My Project is called "Passworder" (for generating German Passwords). And to make the password to generate NOT random letters, I want to generate words from "WordList.txt" from assets folder.

The Problem is, that I don't even know, how to generate random words. With minimalLength and replacementRule, then I can do it.

Some code from my void:

<!-- begin snippet: js hide: false console: true babel: false -->

<!-- language: lang-js -->

    // GeneratedActivity
private String generatePassword(int minLength, String charactersInBetween, @org.jetbrains.annotations.NotNull ArrayList&lt;HashMap&lt;String, Object&gt;&gt; replacementRule) {
String wordList = FileUtil.readFile(getAssets() + &quot;WordList.txt&quot;);
String output = &quot;&quot;;
for (int i = 0; i &lt; replacementRule.size(); i++) {
output = output.replaceAll(replacementRule.get(i).get(&quot;replaceFrom&quot;).toString(), replacementRule.get(i).get(&quot;replaceTo&quot;).toString());
}
return output;
}
// FileUtil.readFile(String path)
public static String readFile(String path) {
createNewFile(path);
StringBuilder sb = new StringBuilder();
FileReader fr = null;
try {
fr = new FileReader(new File(path));
char[] buff = new char[1024];
int length = 0;
while ((length = fr.read(buff)) &gt; 0) {
sb.append(new String(buff, 0, length));
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (fr != null) {
try {
fr.close();
} catch (Exception e) {
e.printStackTrace();
}
}
}
return sb.toString();
}

<!-- end snippet -->

Yes, that code is even from that application "Sketchware"

<hr>

EDIT (of my full GeneratedActivity.java)

<!-- begin snippet: js hide: false console: true babel: false -->

<!-- language: lang-js -->

package com.bechrisapps.passworder;
import androidx.appcompat.app.AppCompatActivity;
import android.content.ClipData;
import android.content.ClipboardManager;
import android.content.Context;
import android.os.Bundle;
import android.view.View;
import android.widget.Button;
import android.widget.TextView;
import com.bechrisapps.passworder.utility.FileUtil;
import java.util.ArrayList;
import java.util.HashMap;
import org.jetbrains.annotations.NotNull;
public class GeneratedActivity extends AppCompatActivity {
public static int MINIMAL_LENGTH = 1;
public static String CHARACTER_IN_BETWEEN = &quot;&quot;;
public static ArrayList&lt;HashMap&lt;String, Object&gt;&gt; REPLACEMENT_RULE = MainActivity.replacementRule;
private String replaceFrom = &quot;&quot;, replaceTo = &quot;&quot;;
private TextView textView;
private Button btnGenerate, btnCopy;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_generated);
initialize();
initializeLogic();
}
private void initialize() {
textView = findViewById(R.id.generated_password);
btnGenerate = findViewById(R.id.generated_renew);
btnCopy = findViewById(R.id.generated_copy);
btnCopy.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
ClipboardManager clipboardManager = (ClipboardManager) getSystemService(Context.CLIPBOARD_SERVICE);
ClipData clip = ClipData.newPlainText(&quot;copiedPassword&quot;, textView.getText().toString());
clipboardManager.setPrimaryClip(clip);
}
});
}
private void initializeLogic() {
generatePassword(MINIMAL_LENGTH, CHARACTER_IN_BETWEEN, REPLACEMENT_RULE);
}
private String generatePassword(int minLength, String charactersInBetween, @NotNull ArrayList&lt;HashMap&lt;String, Object&gt;&gt; replacementRule) {
String wordList = FileUtil.readFile(getAssets() + &quot;WordList.txt&quot;);
String output = &quot;&quot;;
for (int i = 0; i &lt; replacementRule.size(); i++) {
output = output.replaceAll(replacementRule.get(i).get(&quot;replaceFrom&quot;).toString(), replacementRule.get(i).get(&quot;replaceTo&quot;).toString());
}
return output;
}
}

<!-- end snippet -->

<hr>

FileUtil.java

<!-- begin snippet: js hide: false console: true babel: false -->

<!-- language: lang-js -->

package com.bechrisapps.passworder.utility;
import android.content.ContentResolver;
import android.content.ContentUris;
import android.content.Context;
import android.database.Cursor;
import android.graphics.Bitmap;
import android.graphics.BitmapFactory;
import android.graphics.Canvas;
import android.graphics.ColorFilter;
import android.graphics.ColorMatrix;
import android.graphics.ColorMatrixColorFilter;
import android.graphics.LightingColorFilter;
import android.graphics.Matrix;
import android.graphics.Paint;
import android.graphics.PorterDuff;
import android.graphics.PorterDuffXfermode;
import android.graphics.Rect;
import android.graphics.RectF;
import android.media.ExifInterface;
import android.net.Uri;
import android.os.Environment;
import android.provider.DocumentsContract;
import android.provider.MediaStore;
import android.text.TextUtils;
import android.util.Log;
import java.io.BufferedInputStream;
import java.io.BufferedOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.FileReader;
import java.io.FileWriter;
import java.io.IOException;
import java.net.URLDecoder;
import java.text.SimpleDateFormat;
import java.util.ArrayList;
import java.util.Date;
import java.util.zip.ZipEntry;
import java.util.zip.ZipInputStream;
import java.util.zip.ZipOutputStream;
public class FileUtil {
private static void createNewFile(String path) {
int lastSep = path.lastIndexOf(File.separator);
if (lastSep &gt; 0) {
String dirPath = path.substring(0, lastSep);
makeDir(dirPath);
}
File file = new File(path);
try {
if (!file.exists())
file.createNewFile();
} catch (IOException e) {
e.printStackTrace();
}
}
public static String readFile(String path) {
createNewFile(path);
StringBuilder sb = new StringBuilder();
FileReader fr = null;
try {
fr = new FileReader(new File(path));
char[] buff = new char[1024];
int length = 0;
while ((length = fr.read(buff)) &gt; 0) {
sb.append(new String(buff, 0, length));
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (fr != null) {
try {
fr.close();
} catch (Exception e) {
e.printStackTrace();
}
}
}
return sb.toString();
}
public static void writeFile(String path, String str) {
createNewFile(path);
FileWriter fileWriter = null;
try {
fileWriter = new FileWriter(new File(path), false);
fileWriter.write(str);
fileWriter.flush();
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (fileWriter != null)
fileWriter.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
public static void copyFile(String sourcePath, String destPath) {
if (!isExistFile(sourcePath)) return;
createNewFile(destPath);
FileInputStream fis = null;
FileOutputStream fos = null;
try {
fis = new FileInputStream(sourcePath);
fos = new FileOutputStream(destPath, false);
byte[] buff = new byte[1024];
int length = 0;
while ((length = fis.read(buff)) &gt; 0) {
fos.write(buff, 0, length);
}
} catch (IOException e) {
e.printStackTrace();
} finally {
if (fis != null) {
try {
fis.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (fos != null) {
try {
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
public static void moveFile(String sourcePath, String destPath) {
copyFile(sourcePath, destPath);
deleteFile(sourcePath);
}
public static void deleteFile(String path) {
File file = new File(path);
if (!file.exists()) return;
if (file.isFile()) {
file.delete();
return;
}
File[] fileArr = file.listFiles();
if (fileArr != null) {
for (File subFile : fileArr) {
if (subFile.isDirectory()) {
deleteFile(subFile.getAbsolutePath());
}
if (subFile.isFile()) {
subFile.delete();
}
}
}
file.delete();
}
public static boolean isExistFile(String path) {
File file = new File(path);
return file.exists();
}
public static void makeDir(String path) {
if (!isExistFile(path)) {
File file = new File(path);
file.mkdirs();
}
}
public static void listDir(String path, ArrayList&lt;String&gt; list) {
File dir = new File(path);
if (!dir.exists() || dir.isFile()) return;
File[] listFiles = dir.listFiles();
if (listFiles == null || listFiles.length &lt;= 0) return;
if (list == null) return;
list.clear();
for (File file : listFiles) {
list.add(file.getAbsolutePath());
}
}
public static boolean isDirectory(String path) {
if (!isExistFile(path)) return false;
return new File(path).isDirectory();
}
public static boolean isFile(String path) {
if (!isExistFile(path)) return false;
return new File(path).isFile();
}
public static long getFileLength(String path) {
if (!isExistFile(path)) return 0;
return new File(path).length();
}
public static String getExternalStorageDir() {
return Environment.getExternalStorageDirectory().getAbsolutePath();
}
public static String getPackageDataDir(Context context) {
return context.getExternalFilesDir(null).getAbsolutePath();
}
public static String getPackageObbDir() {
return FileUtil.getExternalStorageDir() + &quot;/Android/obb/com.theblacklistedgame.blacklisted&quot;;
}
public static String getPublicDir(String type) {
return Environment.getExternalStoragePublicDirectory(type).getAbsolutePath();
}
public static String convertUriToFilePath(final Context context, final Uri uri) {
String path = null;
if (DocumentsContract.isDocumentUri(context, uri)) {
if (isExternalStorageDocument(uri)) {
final String docId = DocumentsContract.getDocumentId(uri);
final String[] split = docId.split(&quot;:&quot;);
final String type = split[0];
if (&quot;primary&quot;.equalsIgnoreCase(type)) {
path = Environment.getExternalStorageDirectory() + &quot;/&quot; + split[1];
}
} else if (isDownloadsDocument(uri)) {
final String id = DocumentsContract.getDocumentId(uri);
if (!TextUtils.isEmpty(id)) {
if (id.startsWith(&quot;raw:&quot;)) {
return id.replaceFirst(&quot;raw:&quot;, &quot;&quot;);
}
}
final Uri contentUri = ContentUris
.withAppendedId(Uri.parse(&quot;content://downloads/public_downloads&quot;), Long.valueOf(id));
path = getDataColumn(context, contentUri, null, null);
} else if (isMediaDocument(uri)) {
final String docId = DocumentsContract.getDocumentId(uri);
final String[] split = docId.split(&quot;:&quot;);
final String type = split[0];
Uri contentUri = null;
if (&quot;image&quot;.equals(type)) {
contentUri = MediaStore.Images.Media.EXTERNAL_CONTENT_URI;
} else if (&quot;video&quot;.equals(type)) {
contentUri = MediaStore.Video.Media.EXTERNAL_CONTENT_URI;
} else if (&quot;audio&quot;.equals(type)) {
contentUri = MediaStore.Audio.Media.EXTERNAL_CONTENT_URI;
}
final String selection = MediaStore.Audio.Media._ID + &quot;=?&quot;;
final String[] selectionArgs = new String[]{
split[1]
};
path = getDataColumn(context, contentUri, selection, selectionArgs);
}
} else if (ContentResolver.SCHEME_CONTENT.equalsIgnoreCase(uri.getScheme())) {
path = getDataColumn(context, uri, null, null);
} else if (ContentResolver.SCHEME_FILE.equalsIgnoreCase(uri.getScheme())) {
path = uri.getPath();
}
if (path != null) {
try {
return URLDecoder.decode(path, &quot;UTF-8&quot;);
} catch (Exception e) {
return null;
}
}
return null;
}
private static String getDataColumn(Context context, Uri uri, String selection, String[] selectionArgs) {
Cursor cursor = null;
final String column = MediaStore.Images.Media.DATA;
final String[] projection = {
column
};
try {
cursor = context.getContentResolver().query(uri, projection, selection, selectionArgs, null);
if (cursor != null &amp;&amp; cursor.moveToFirst()) {
final int column_index = cursor.getColumnIndexOrThrow(column);
return cursor.getString(column_index);
}
} catch (Exception e) {
} finally {
if (cursor != null) {
cursor.close();
}
}
return null;
}
private static boolean isExternalStorageDocument(Uri uri) {
return &quot;com.android.externalstorage.documents&quot;.equals(uri.getAuthority());
}
private static boolean isDownloadsDocument(Uri uri) {
return &quot;com.android.providers.downloads.documents&quot;.equals(uri.getAuthority());
}
private static boolean isMediaDocument(Uri uri) {
return &quot;com.android.providers.media.documents&quot;.equals(uri.getAuthority());
}
private static final int BUFFER_SIZE = 8192;
private static String TAG = FileUtil.class.getName();
private static String parentPath = &quot;&quot;;
public static boolean zip(String sourcePath, String destinationPath, String destinationFileName, Boolean includeParentFolder) {
new File(destinationPath).mkdirs();
FileOutputStream fileOutputStream;
ZipOutputStream zipOutputStream = null;
try {
if (!destinationPath.endsWith(&quot;/&quot;)) destinationPath += &quot;/&quot;;
String destination = destinationPath + destinationFileName;
File file = new File(destination);
if (!file.exists()) file.createNewFile();
fileOutputStream = new FileOutputStream(file);
zipOutputStream = new ZipOutputStream(new BufferedOutputStream(fileOutputStream));
if (includeParentFolder)
parentPath = new File(sourcePath).getParent() + &quot;/&quot;;
else
parentPath = sourcePath;
zipFile(zipOutputStream, sourcePath);
} catch (IOException ioe) {
Log.d(TAG, ioe.getMessage());
return false;
} finally {
if (zipOutputStream != null)
try {
zipOutputStream.close();
} catch (IOException e) {
e.printStackTrace();
}
}
return true;
}
private static void zipFile(ZipOutputStream zipOutputStream, String sourcePath) throws IOException {
File files = new File(sourcePath);
File[] fileList = files.listFiles();
String entryPath = &quot;&quot;;
BufferedInputStream input;
for (File file : fileList) {
if (file.isDirectory()) {
zipFile(zipOutputStream, file.getPath());
} else {
byte data[] = new byte[BUFFER_SIZE];
FileInputStream fileInputStream = new FileInputStream(file.getPath());
input = new BufferedInputStream(fileInputStream, BUFFER_SIZE);
entryPath = file.getAbsolutePath().replace(parentPath, &quot;&quot;);
ZipEntry entry = new ZipEntry(entryPath);
zipOutputStream.putNextEntry(entry);
int count;
while ((count = input.read(data, 0, BUFFER_SIZE)) != -1) {
zipOutputStream.write(data, 0, count);
}
input.close();
}
}
}
public static Boolean unzip(String sourceFile, String destinationFolder) {
ZipInputStream zis = null;
try {
zis = new ZipInputStream(new BufferedInputStream(new FileInputStream(sourceFile)));
ZipEntry ze;
int count;
byte[] buffer = new byte[BUFFER_SIZE];
while ((ze = zis.getNextEntry()) != null) {
String fileName = ze.getName();
fileName = fileName.substring(fileName.indexOf(&quot;/&quot;) + 1);
File file = new File(destinationFolder, fileName);
File dir = ze.isDirectory() ? file : file.getParentFile();
if (!dir.isDirectory() &amp;&amp; !dir.mkdirs())
throw new FileNotFoundException(&quot;Invalid path: &quot; + dir.getAbsolutePath());
if (ze.isDirectory()) continue;
FileOutputStream fout = new FileOutputStream(file);
try {
while ((count = zis.read(buffer)) != -1)
fout.write(buffer, 0, count);
} finally {
fout.close();
}
}
} catch (IOException ioe) {
Log.d(TAG, ioe.getMessage());
return false;
} finally {
if (zis != null)
try {
zis.close();
} catch (IOException e) {
}
}
return true;
}
}

<!-- end snippet -->

答案1

得分: 0

以下是翻译好的内容:

这篇帖子已经过时,但是我对于使用单词列表无法生成密码的问题有解决方案。

显然,首先读取文件(可以来自存储或资源),并测试是否有效。如果有效,然后创建一个随机数选择器,并粘贴以下代码:

public static int getRandomNumber(int min, int max) {
    return new Random().nextInt(max - min + 1) + min;
}

要从单词列表中获取一个随机单词,使用:

String[] lines = content.split(System.lineSeparator());
int random = getRandomNumber(0, lines.length);
String word = lines[random];

要生成新密码,建议使用<code>while</code>循环,直到达到最小长度(currentPassword 是一个字符串,我从我的项目中复制了代码(在我的 GitHub 页面上查看)):

private void generateNewPassword() {
    currentPassword = "";

    while (currentPassword.length() <= minLength)
        currentPassword += lines[Utility.getRandomNumber(0, lines.length - 1)] + charsBetweenWords;

    if (replacesChars) {
        for (int i = 0; i < listFrom.size(); i++) {
            if (replacesCases) {
                String lowercase = listFrom.get(i).toLowerCase();
                String uppercase = listFrom.get(i).toUpperCase();

                currentPassword = currentPassword.replaceAll(lowercase, listTo.get(i));
                currentPassword = currentPassword.replaceAll(uppercase, listTo.get(i));
            } else {
                if (listTo.get(i).equals("$"))
                    currentPassword = currentPassword.replaceAll(listFrom.get(i), "\\$");
                else if (listFrom.get(i).equals("$"))
                    currentPassword = currentPassword.replaceAll("\\$", listTo.get(i));
                else if (listTo.get(i).equals("\\"))
                    currentPassword = currentPassword.replaceAll(listFrom.get(i), "\\");
                else if (listFrom.get(i).equals("\\"))
                    currentPassword = currentPassword.replaceAll("\\\\", listTo.get(i));
                else
                    currentPassword = currentPassword.replaceAll(listFrom.get(i), listTo.get(i));
            }
        }
    }

    currentPassword = currentPassword.substring(0, currentPassword.length() - charsBetweenWords.length());

    passwordOutput.setText(currentPassword);
}
英文:

This post is old, but I have the solution on who cannot progress with making passwords using a wordlist.

Obviously, first, read the file (can be from Storage or Assets) and test if that works. If this works, then create a random number picker and paste this following code:

public static int getRandomNumber(int min, int max) {
return new Random().nextInt(max - min + 1) + min;
}

To get a random word out of the Wordlist, use

String[] lines = content.split(System.lineSeparator());
int random = getRandomNumber(0, lines.length);
String word = lines[random];

And to generate a new password, it is recommended to use <code>while</code> to loop, until it hits the minimal length (currentPassword is a String and I copied the code from my project (see on my GitHub page))

private void generateNewPassword() {
currentPassword = &quot;&quot;;
while (currentPassword.length() &lt;= minLength)
currentPassword += lines[Utility.getRandomNumber(0, lines.length - 1)] + charsBetweenWords;
if (replacesChars) {
for (int i = 0; i &lt; listFrom.size(); i++) {
if (replacesCases) {
String lowercase = listFrom.get(i).toLowerCase();
String uppercase = listFrom.get(i).toUpperCase();
currentPassword = currentPassword.replaceAll(lowercase, listTo.get(i));
currentPassword = currentPassword.replaceAll(uppercase, listTo.get(i));
} else {
if (listTo.get(i).equals(&quot;$&quot;))
currentPassword = currentPassword.replaceAll(listFrom.get(i), &quot;\\$&quot;);
else if (listFrom.get(i).equals(&quot;$&quot;))
currentPassword = currentPassword.replaceAll(&quot;\\$&quot;, listTo.get(i));
else if (listTo.get(i).equals(&quot;\\&quot;))
currentPassword = currentPassword.replaceAll(listFrom.get(i), &quot;\\&quot;);
else if (listFrom.get(i).equals(&quot;\\&quot;))
currentPassword = currentPassword.replaceAll(&quot;\\\\&quot;, listTo.get(i));
else
currentPassword = currentPassword.replaceAll(listFrom.get(i), listTo.get(i));
}
}
}
currentPassword = currentPassword.substring(0, currentPassword.length() - charsBetweenWords.length());
passwordOutput.setText(currentPassword);
}

huangapple
  • 本文由 发表于 2020年3月15日 17:23:51
  • 转载请务必保留本文链接:https://go.coder-hub.com/60691406.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定