Java:分割後に最後の要素を取得する


133

文字列分割メソッドを使用していて、最後の要素が必要です。配列のサイズは変わる可能性があります。

例:

String one = "Düsseldorf - Zentrum - Günnewig Uebachs"
String two = "Düsseldorf - Madison"

上記の文字列を分割して、最後の項目を取得したいと思います。

lastone = one.split("-")[here the last item] // <- how?
lasttwo = two.split("-")[here the last item] // <- how?

実行時の配列のサイズがわかりません:(


1
これの代わりに、substringとindexofを使用できます。
Surendheran 2014

@SurendarKannan上位投票の回答には、lastIndexOfの例が含まれています。
Adam Jensen

回答:


173

配列をローカル変数に保存し、配列のlengthフィールドを使用してその長さを見つけます。1を引いて、0ベースであることを考慮します。

String[] bits = one.split("-");
String lastOne = bits[bits.length-1];

警告のエンプター:元の文字列がセパレーターのみで構成されている場合(例:"-"or "---"bits.lengthは0になり、これによりArrayIndexOutOfBoundsExceptionがスローされます。例:https : //onlinegdb.com/r1M-TJkZ8


27
入力文字列が空の場合、2番目のステートメントは「範囲外のインデックス」例外をスローすることに注意してください。
スティーブンC

7
空の文字列を分割すると、空の文字列そのものである1つの要素を含む配列が返されます。
Panthro

元の文字列がセパレーターのみで構成されている場合(例:"-"or "---"bits.lengthは0になり、これによりArrayIndexOutOfBoundsExceptionがスローされます。例:onlinegdb.com/r1M-TJkZ8
ダリオ

:は、ArrayIndexOutOfBoundsExceptionをスローしませんソリューションのためのデニスBazhenovの答えを参照してくださいstackoverflow.com/a/1181976/4249576
ダリオ

250

またはlastIndexOf()、Stringのメソッドを使用できます

String last = string.substring(string.lastIndexOf('-') + 1);

16
このソリューションはリソースが少なくて済むと思います。
ufk

これにはIndexOutOfBoundsExceptionif stringが含まれていない場合はスローされません'-'か?
Jared Beck

6
いいえ、@ JaredBeckではありません。ただし、文字列全体が返されるため、必要な場合とそうでない場合があります。最初に、分割する文字が文字列に存在することを確認することをお勧めします。
james.garriss 2013

1
しかし、それは最後の位置に含まれているIndexOutOfBoundsExceptionif をスローしstringます'-'
damgad

8
@damgad、それはしません。lastIndexOfは文字列の長さ-1になります。つまり、空の文字列になります
Denis Bazhenov


23

次のような単純でありながら汎用的なヘルパーメソッドを使用します。

public static <T> T last(T[] array) {
    return array[array.length - 1];
}

あなたは書き直すことができます:

lastone = one.split("-")[..];

なので:

lastone = last(one.split("-"));

3
空の配列からlast()メソッドを保護する必要があります。そうしないと、IndexOutOfBoundsExceptionが発生する可能性があります。
Denis Bazhenov

@dotsid一方で、nullを返すよりも、ここでArrayIndexOutOfBoundsExceptionをスローする方がよい場合があります。問題が発生したときではなく、発生した場所でエラーをキャッチするためです。
Emil H

1
@dotsid、私はこの責任を呼び出し元に任せます、ランタイム例外を非表示にすることは危険です
dfa

とてもいいです、そしてもちろんfirst()nth(T[array], int n)これからうまく作られています。
Peter Ajtai

12
String str = "www.anywebsite.com/folder/subfolder/directory";
int index = str.lastIndexOf('/');
String lastString = str.substring(index +1);

lastString価値がある"directory"


7

グァバ

final Splitter splitter = Splitter.on("-").trimResults();
assertEquals("Günnewig Uebachs", Iterables.getLast(splitter.split(one)));
assertEquals("Madison", Iterables.getLast(splitter.split(two)));

SplitterIterables


7

すべての可能な方法を一緒に集めました!!


使用することでlastIndexOf()substring()方法のJava.lang.String

// int firstIndex = str.indexOf( separator );
int lastIndexOf = str.lastIndexOf( separator );
String begningPortion = str.substring( 0, lastIndexOf );
String endPortion = str.substring( lastIndexOf + 1 );
System.out.println("First Portion : " + begningPortion );
System.out.println("Last  Portion : " + endPortion );

split()Java SE 1.4。指定されたテキストを配列に分割します。

String[] split = str.split( Pattern.quote( separator ) );
String lastOne = split[split.length-1];
System.out.println("Split Array : "+ lastOne);

配列からのJava 8の順番に並べられたストリーム

String firstItem = Stream.of( split )
                         .reduce( (first,last) -> first ).get();
String lastItem = Stream.of( split )
                        .reduce( (first,last) -> last ).get();
System.out.println("First Item : "+ firstItem);
System.out.println("Last  Item : "+ lastItem);

Apache Commons Lang jar «org.apache.commons.lang3.StringUtils

String afterLast = StringUtils.substringAfterLast(str, separator);
System.out.println("StringUtils AfterLast : "+ afterLast);

String beforeLast = StringUtils.substringBeforeLast(str, separator);
System.out.println("StringUtils BeforeLast : "+ beforeLast);

String open = "[", close = "]";
String[] groups = StringUtils.substringsBetween("Yash[777]Sam[7]", open, close);
System.out.println("String that is nested in between two Strings "+ groups[0]);

Guava:Java用Googleコアライブラリ。«com.google.common.base.Splitter

Splitter splitter = Splitter.on( separator ).trimResults();
Iterable<String> iterable = splitter.split( str );
String first_Iterable = Iterables.getFirst(iterable, "");
String last_Iterable = Iterables.getLast( iterable );
System.out.println(" Guava FirstElement : "+ first_Iterable);
System.out.println(" Guava LastElement  : "+ last_Iterable);

Javaプラットフォームのスクリプティング «Rhino / Nashornを使用してJVMでJavascriptを実行する

  • Rhino «Rhinoは、完全にJavaで記述されたJavaScriptのオープンソース実装です。エンドユーザーにスクリプトを提供するために、通常Javaアプリケーションに組み込まれています。これは、デフォルトのJavaスクリプトエンジンとしてJ2SE 6に組み込まれています。

  • Nashornは、OracleがJavaプログラミング言語で開発したJavaScriptエンジンです。Da Vinci Machineをベースにしており、Java 8とともにリリースされています。

Java Scripting Programmer's Guide

public class SplitOperations {
    public static void main(String[] args) {
        String str = "my.file.png.jpeg", separator = ".";
        javascript_Split(str, separator);
    }
    public static void javascript_Split( String str, String separator ) {
        ScriptEngineManager manager = new ScriptEngineManager();
        ScriptEngine engine = manager.getEngineByName("JavaScript");

        // Script Variables « expose java objects as variable to script.
        engine.put("strJS", str);

        // JavaScript code from file
        File file = new File("E:/StringSplit.js");
        // expose File object as variable to script
        engine.put("file", file);

        try {
            engine.eval("print('Script Variables « expose java objects as variable to script.', strJS)");

            // javax.script.Invocable is an optional interface.
            Invocable inv = (Invocable) engine;

            // JavaScript code in a String
            String functions = "function functionName( functionParam ) { print('Hello, ' + functionParam); }";
            engine.eval(functions);
            // invoke the global function named "functionName"
            inv.invokeFunction("functionName", "function Param value!!" );

            // evaluate a script string. The script accesses "file" variable and calls method on it
            engine.eval("print(file.getAbsolutePath())");
            // evaluate JavaScript code from given file - specified by first argument
            engine.eval( new java.io.FileReader( file ) );

            String[] typedArray = (String[]) inv.invokeFunction("splitasJavaArray", str );
            System.out.println("File : Function returns an array : "+ typedArray[1] );

            ScriptObjectMirror scriptObject = (ScriptObjectMirror) inv.invokeFunction("splitasJavaScriptArray", str, separator );
            System.out.println("File : Function return script obj : "+ convert( scriptObject ) );

            Object eval = engine.eval("(function() {return ['a', 'b'];})()");
            Object result = convert(eval);
            System.out.println("Result: {}"+ result);

            // JavaScript code in a String. This code defines a script object 'obj' with one method called 'hello'.
            String objectFunction = "var obj = new Object(); obj.hello = function(name) { print('Hello, ' + name); }";
            engine.eval(objectFunction);
            // get script object on which we want to call the method
            Object object = engine.get("obj");
            inv.invokeMethod(object, "hello", "Yash !!" );

            Object fileObjectFunction = engine.get("objfile");
            inv.invokeMethod(fileObjectFunction, "hello", "Yashwanth !!" );
        } catch (ScriptException e) {
            e.printStackTrace();
        } catch (NoSuchMethodException e) {
            e.printStackTrace();
        } catch (FileNotFoundException e) {
            e.printStackTrace();
        }
    }

    public static Object convert(final Object obj) {
        System.out.println("\tJAVASCRIPT OBJECT: {}"+ obj.getClass());
        if (obj instanceof Bindings) {
            try {
                final Class<?> cls = Class.forName("jdk.nashorn.api.scripting.ScriptObjectMirror");
                System.out.println("\tNashorn detected");
                if (cls.isAssignableFrom(obj.getClass())) {
                    final Method isArray = cls.getMethod("isArray");
                    final Object result = isArray.invoke(obj);
                    if (result != null && result.equals(true)) {
                        final Method values = cls.getMethod("values");
                        final Object vals = values.invoke(obj);
                        System.err.println( vals );
                        if (vals instanceof Collection<?>) {
                            final Collection<?> coll = (Collection<?>) vals;
                            Object[] array = coll.toArray(new Object[0]);
                            return array;
                        }
                    }
                }
            } catch (ClassNotFoundException | NoSuchMethodException | SecurityException
                    | IllegalAccessException | IllegalArgumentException | InvocationTargetException e) {
            }
        }
        if (obj instanceof List<?>) {
            final List<?> list = (List<?>) obj;
            Object[] array = list.toArray(new Object[0]);
            return array;
        }
        return obj;
    }
}

JavaScriptファイル« StringSplit.js

// var str = 'angular.1.5.6.js', separator = ".";
function splitasJavaArray( str ) {
  var result = str.replace(/\.([^.]+)$/, ':$1').split(':');
  print('Regex Split : ', result);
  var JavaArray = Java.to(result, "java.lang.String[]");
  return JavaArray;
  // return result;
}
function splitasJavaScriptArray( str, separator) {
    var arr = str.split( separator ); // Split the string using dot as separator
    var lastVal = arr.pop(); // remove from the end
    var firstVal = arr.shift(); // remove from the front
    var middleVal = arr.join( separator ); // Re-join the remaining substrings

    var mainArr = new Array();
    mainArr.push( firstVal ); // add to the end
    mainArr.push( middleVal );
    mainArr.push( lastVal );

    return mainArr;
}

var objfile = new Object();
objfile.hello = function(name) { print('File : Hello, ' + name); }

Java 8 Streamの例を使用する場合の注意。次のような文字列をスペース( "")で分割した場合Basic (末尾のスペースがあります)、Basic最後の要素として取得します。
ベルゴロ

5

彼は分割を使用して同じ行ですべてを行うように求めていたので、これをお勧めします:

lastone = one.split("-")[(one.split("-")).length -1]  

私はできる限り新しい変数を定義することを常に避けており、それは非常に良い習慣だと思います


しかし、それはIndexOutOfBoundsException文字列が含まれていない場合にスローします-
Stoinov '21

@Stoinov、実際にはそうしません。あなたはそれをテストすることができます!;)
azerafati 2014

1
分割して2回実行され、場合によっては非常に遅くなることがあります。したがって、これは、ストレージの速度をトレードオフするために受け入れられた回答の代替手段です。
ポールズ2017

@PaulZhangうん分割が非常に速く、それ自体であるが、これはOPの要求ごとに1つのライナーオプションですが、そうです
azerafati

3

コンパイル時に配列のサイズがわからないということですか?実行時に、彼らはの値によって発見することができlastone.length、およびlastwo.length


3

Java 8

String lastItem = Stream.of(str.split("-")).reduce((first,last)->last).get();

1

私はこれをi行で行いたいと思います。それは可能です(ただし、多少のジャグリング= ^)

new StringBuilder(new StringBuilder("Düsseldorf - Zentrum - Günnewig Uebachs").reverse().toString().split(" - ")[0]).reverse()

tadaa、1行->必要な結果(「-」(マイナス)ではなく「-」(スペース-スペース)で分割した場合、パーティションの前の煩わしいスペースも失われます= ^)したがって、「GünnewigUebachs」 「GünnewigUebachs」の代わり(スペースを最初の文字として)

素敵な追加-> libフォルダーに追加のJARファイルが必要ないため、アプリケーションを軽量に保つことができます。


弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.