Bestimmen Sie, ob die Zeichenfolgen gleich sind

29

Ihre Aufgabe ist einfach . Bestimmen Sie, ob eine Zeichenfolge , die die andere (nicht - Adresse, der Wert) entspricht , ohne die Verwendung von Gleichheitsoperator (wie ==, ===, oder .equal()) oder Ungleichheit ( !=, !==) etwas ähnliches für andere Sprachen. Das heißt überall! Sie dürfen diese Operatoren an keiner Stelle im Code verwenden. Sie können jedoch Umschalter verwenden, !expda Sie die nicht direkt vergleichen exp != with something else.

Außerdem dürfen Sie keine Funktionen wie strcmp , strcasecmp usw. verwenden.

Wie für Vergleichsoperatoren ( >=, <=, >, <), werden sie auch nicht zulässig . Mir ist klar, dass einige Antworten dies beinhalten, aber ich würde gerne mehr Antworten sehen, die den Gleichheitsoperator nicht einschränken.


Ein Beispiel mit PHP wird gezeigt:

<?php

$a = 'string';
$b = 'string';

$tmp = array_unique(array($a, $b));

return -count($tmp) + 2;

Geben Sie einfach true oder false zurück (oder etwas, das in der Sprache als true oder false wie 0 oder 1 ausgewertet wird), um anzugeben, ob die Zeichenfolgen übereinstimmen. Die Zeichenfolgen sollten im obigen Beispiel fest codiert sein. Die Saiten sollten im Golf nicht mitgezählt werden. Wenn Sie also die Variable vorher deklarieren, zählen Sie die Deklaration nicht mit.

David Chen
quelle
1
Müssen Sie das Ergebnis ausgeben oder einfach eine Funktion schreiben, um einen Bool zurückzugeben? Wenn das Schreiben eines vollständigen Programms erforderlich ist, kann dies dazu führen, dass Antworten in Sprachen mit (relativ) signifikantem Boilerplate erstellt werden, um eine funktionsfähige ausführbare Datei wie Java und C # zu erstellen von konkreten Leitlinien, wobei viel der Interpretation / Auswahl überlassen bleibt). Und wie sollen wir die Saiten nehmen? Hardcoding, Lesen von STDIN, als Befehlszeilenargumente übergeben?
Tony Ellis
Ist das [Code-Golf] oder ein [Beliebtheitswettbewerb]? Es kann nicht beides sein.
Gareth
Entschuldigung, ich habe meine Fragen so geändert, dass sie beide Kommentare widerspiegeln.
David Chen
Also ist Ungleichheit erlaubt?
user80551
Wenn die Zeichenfolgen mehr als einmal (jeweils) fest codiert werden sollen, muss ich ihre Länge zählen?
user80551

Antworten:

34

Python 49 45 18 22 15 14

(+ 3, wenn Stringvariablen berücksichtigt werden)

print{a:0,b:1}[a]

Die Zeichenfolge sollte bei zwei Vorkommen von aund einem Vorkommen bvon in Anführungszeichen eingeschlossenen Zeichenfolgen fest codiert sein .

aund bsollte auf die Zeichenfolgen vorinitialisiert werden.


Python-Shell, 9

(+ 3, wenn Stringvariablen berücksichtigt werden)

{a:0,b:1}[a]

Ausgabe in der Shell

>>> a = 'string'
>>> b = 'string'
>>> {a:0,b:1}[a]
1
>>> a = 'string'
>>> b = 'stringgg'
>>> {a:0,b:1}[a]
0
>>> {'string':0,'string':1}['string']
1
>>> {'stringggg':0,'string':1}['stringggg']
0
>>> 

Erläuterung

Erstellt ein Diktat (Hash-Tabelle) mit dem Schlüssel der ersten und zweiten Zeichenfolge. Wenn der zweite String derselbe ist, wird der Wert von first durch den von second ersetzt. Schließlich drucken wir den Wert des ersten Schlüssels.

BEARBEITEN: OP erlaubt 0/1 anstelle von False / True sowie die Verwendung von vorinitialisierten Variablen.

user80551
quelle
@manatwork Golfscript and perl below use 0/1, can't I use that?
user80551
@manatwork Done
user80551
I am counting 16 instead of 13, for your second solution.
Abhijit
@Abhijit the a and b are not to be included, the strings should be hard-coded there, that's why I added + 2*len(str1) + len(str2) + 6 (')
user80551
+1 for clevernesse but this is by far not the shortest anymore ;)
avalancha
20

Python (17 11):

b in a in b

(Checks if b is contained in a and a is contained in b, if that wasn't clear from the code.)

Alternative python: (8 7)

derived from Tom Verelst's Go solution:

b in[a]

Bonus: this works for any type.

EDIT:

Wait a second, just read that you can also directly program in the strings, and don't have to count quotes... (or at least, that what golfscript does). So... Python on par with golfscript? Oh my!

Alternative alternative Python (5 4):

(thanks Claudiu)

"string"in["string"]

original:

"string" in["string"]

Alternative Alternative Alternative Bendy-ruly Python (2):

"string"is"string"

Nothing was said about comparison keywords (This is not a serious submission, just something that occurred to me...)

ɐɔıʇǝɥʇuʎs
quelle
2
You could use b in a in b. The and a is not necessary...
George
2
Now it is duplicate of willem's answer.
manatwork
You could get it down to seven characters by removing the whitespace between in and [a]. i.e. b in[a] should work.
user3002473
Oh, didn't know that. Thanks :)
ɐɔıʇǝɥʇuʎs
Impressive! Also didn't know that
Willem
14

JavaScript, 11 10

Strings have to be stored in a and b.

!(a>b|a<b)

Edit: thanks Danny for pointing out, | is enough instead of ||

Adam Szabo
quelle
5
No, I am using greater than and less than operators. Those were not forbidden in the contest.
Adam Szabo
2
+1. This is going to work identically in many other languages too.
The Archetypal Paul
3
I may be wrong but can't you remove one |?
Danny
3
Definitely a rules oversight - comparison functions are banned, as are equality and inequality operators, but comparison operators aren't mentioned.
user2357112 supports Monica
2
@philcolbourn Yes, rules changed yesterday but answer is 2 days old.
Bakuriu
8

Ruby, 11

s = 'string'
t = 'string'
!!s[t]&t[s]

Checks if each string is contained within the other.

histocrat
quelle
1
!(a<b||b<a) would be the same...
David Herrmann
except you can't use <>
philcolbourn
8

Python - 11 (without the strings)

>>> a = 'ss'
>>> b = 's'
>>> a in b in a
False
Willem
quelle
In the same spirit:a<=b<=a which is only 7 characters. Although I don't know whether the comparison <= would be considered an "inequality". From the question it appears that any comparison that is not an equality check is okay, which would allow <=.
Bakuriu
yeah, thats a nice one @Bakuriu, and I agree, its not totally clear when the rules are violated or not. 'in' after all alsoome how contains an equal statement.
Willem
6

GolfScript (5 chars)

'string1''string1'].&,(

Fairly straightforward port of the PHP reference implementation. Leaves 0 (=false) on the stack if the strings are the same, or 1 (=true) if they're different.

Peter Taylor
quelle
doesn't work for me: 1 if the string are the same, and 2 if they're different. 'string1''string1'].&,1& works
guy777
@guy777, this assumes that the stack is empty at the start. The question is rather vague on program fragments. You're probably testing it as a whole program and starting with an empty string on the stack from stdin.
Peter Taylor
5

Javascript (45 bytes):

Here is another solution in Javascript.

var a='string',b='string',c=!a.replace(b,'');

The space is important.

c should be true.

Ismael Miguel
quelle
Only !a.replace(b,'') is counted. So character count should be 16. Actually, some people even count it 14, since you can specify the string directly.
n̴̖̋h̷͉̃a̷̭̿h̸̡̅ẗ̵̨́d̷̰̀ĥ̷̳
5

C++, 63 58 56

const char* a = "string";
const char* b = "string";
int main(){while(*a**b*!(*a^*b))++a,++b;return!(*a^*b);}
mattnewport
quelle
2
Could you get away with auto instead of const char*?
aldo
I think so yes, but since the rules say the string variables aren't counted towards the character count I didn't bother to golf them.
mattnewport
Could you fold increments into the while test and leave the body empty? And if you go for c instead of c++, remove int at the beginning.
orion
I don't see any way to reduce the character count by folding the increments into the while test without hitting the same bug of accessing a string past the end I pointed out in Abhijit's C answer. You only want to increment a and b if both tests pass (neither a nor b is pointing to the null terminator and a is equal to b). There's probably a way to improve on this but I haven't been able to find it!
mattnewport
3

coreutils: uniq -d

Just enter your two strings as the standard input of a pipe and uniq -d | grep -q . will print nothing but will have a return value of success or error. If you want to print the boolean, just replace with uniq -d | grep -c .

How many characters? I let you count; uniq -d|grep -q . with no extra spaces has 17 characters in it, but since the whole job is performed by uniq, I would say this solution is a 0-character one in... uniq own language!

Actually, uniq -d will print one line if the two strings are identical, and nothing if the are different.

Thomas Baruchel
quelle
3

Strings have to be stored in a and b. Will not work if either is null.

C#, 53

string.IsNullOrEmpty(a.Replace(b,"")+b.Replace(a,""))

C#, 28

a.Contains(b)&&b.Contains(a)
Adam Szabo
quelle
3

PHP - 49 characters

!(strlen($a)^strlen($b)|strlen(trim($a^$b,"\0")))
Jack
quelle
Couldn't something like this work: !strlen(str_replace($a,'',$b)); It should return 1 if two strings are equal?
Damir Kasipovic
@D.Kasipovic Interesting, but I think it fails for $a == 'foo' and $b = 'foofoo' :)
Jack
True, how about this then, it limits replace to one !strlen(preg_replace("/{$a}/", '', $b, 1)); and is 45 characters?
Damir Kasipovic
I suppose you could use anchors instead, but more importantly it would require preg_quote() as well :)
Jack
3

APL (8 9)

Update: the old one does not work for strings of different lengths.

{∧/∊⌿↑⍺⍵}
  • ↑⍺⍵: make a matrix with on the first line and on the second line, filling blanks with spaces.
  • ∊⌿: For each column, see if the upper row contains the lower row (as in the old version).
  • ∧/: Take the logical and of all the values.

Old one:

{∧/⍺∊¨⍵}
  • ⍺∊¨⍵: for each combination of elements in and , see if the element from contains the element from . Since in a string these will all be single characters, and a string contains itself, this is basically comparing each pair of characters.
  • ∧/: take the logical and of all the values (if all the characters match, the strings are equal)
marinus
quelle
3

Python - 12

not({a}-{b})

This solution uses sets. Subtracting equal sets will result in an empty set, which has a boolean value of False. Negating that will result in a True value for a and b being equal strings.

>>> a="string1"
>>> b="string2"
>>> not({a}-{b})
False

>>> a="string"
>>> b="string"
>>> not({a}-{b})
True

Edit: Thanks to Peter Taylor for pointing out the unnecessary whitespace.

Varicus
quelle
What output does this give for a="s", b="ss"?
Peter Taylor
@PeterTaylor: Since "s"!="ss", it will output False. Case sensitivity is also preserved. It even works for a="", b="s". The code does not convert strings to sets, but creates sets containing the strings.
Varicus
Ah, {} isn't the same as set(). You can save 1 char by removing the whitespace.
Peter Taylor
@PeterTaylor: Thanks for pointing out the unnecessary whitespace. {a} is equivalent to set([a]).
Varicus
How about not {a}-{b}?
Winston Ewert
3

C — 62

e(char*p,char*q){for(;*p&*q&&!(*p^*q);q++,p++);return!(*p^*q);}

Tested. Call as e(str1, str2)

Come to think of it, if you don't count the char*p,char*q, which seems only fair, it's only 49 bytes :)

Emmet
quelle
Welcome to the site! For code-golf challenges, we encourage you to trim as many bytes from your code as you can, and post the byte count in your answer header. Check out the Tips for Golfing in C thread for some good ideas.
Jonathan Van Matre
You don't really need np and nq. One loop will do, because if you reach the end of one string before the other they will have a different value.
Peter Taylor
Thanks. I realize that. I was working on my shortened version (above). Going back to see if I can shorten it further.
Emmet
*p&*q may stop the loop too early (e.g. '0'&'A'==0)
ugoren
@ugoren: If *p=='0' & *q=='A', we want the loop to stop early, as we know the strings are not equal.
Emmet
2

Haskell -- 9

elem a[b]

Note that this, just like many entries here, is just an expression. This is not a Haskell program.

Rhymoid
quelle
2

Java - 162 147 characters

The idea is to compare the difference of each byte, same bytes will have difference 0. The program will throw java.lang.ArrayIndexOutOfBoundsException for when bytes are different (try to access a negative index) or when strings are of different length. It will catch the exception and return 0 (strings not equal), or return 1 otherwise (strings equal).

Compressed:

String a = "12345";
String b = "12345";
byte[]x=a.getBytes(),y=b.getBytes();int z,i=a.length()-b.length();try{for(byte d:x){z=d-y[i];z=x[-z*z];i++;}}catch(Exception e){return 0;}return 1;

Normal:

String a = "12345";
String b = "12345";
byte[] byteArrA = a.getBytes();
byte[] byteArrB = b.getBytes();

int byteDifference = 0;
int i = a.length() - b.length();

try {
    for (byte aByte : byteArrA) {
        byteDifference = aByte - byteArrB[i];
        byteDifference = byteArrA[-byteDifference*byteDifference];
        i++;
    }
} catch (Exception e){
    return 0;
}

return 1;
Hopper Hunter
quelle
Comparison operators exist in the loop.
ζ--
Thank you @hexafraction, I updated answer to not include them.
Hopper Hunter
2

PHP

    $string = 'string';
    isset( ${'string'} );

This script may not have any utility, but atleast this provides a way to compare strings.

PHP

Aother one:

    $string = 'something';
    $text   = 'something';
    return count( array( $string => 1 , $text => 1 ) ) % 2;
Hamid Sarfraz
quelle
1
Wow very lovely. And doing it like this can make it possible to use any string (with spaces and unicode).
David Chen
2

Prolog 7

e(A,A).

This makes use of the pattern matching feature in Prolog to unify the 2 arguments to the predicate, which effectively tests for equals equivalence when there is no unbound variable.

Sample usage:

?- e("abcd", "Abcd").
false.

?- e("abcd", "abcd").
true.

Technically speaking, the behavior of this solution is that of unification operator =/2, rather than that of ==/2, which checks for term equivalence. The difference shows when unbound variables are involved. In this solution, when unbound variable is supplied, the predicate will return true when unification is successful. In comparison, ==/2 will compare order of term without unification.

n̴̖̋h̷͉̃a̷̭̿h̸̡̅ẗ̵̨́d̷̰̀ĥ̷̳
quelle
2

PHP, 21

This one is doing the job using variable indirection.

$$a=$b;!!$$b;

Or, if you don't need it to be bool

$$a=$b;$$b;

EDIT : I forgot to handle the case where you try to compare two empty strings, so the code now is

$$a=$b;!($a.$b)||$$b;

which is 21 chars.

Flonk
quelle
I expected this to give errors when given strings which aren't valid identifiers, but to my surprise it doesn't.
Peter Taylor
Two problems: 1. Returns true when comparing "0" and "". 2. Returns true when $b is the name of an existing variable (in the current symbol table) having a value that converts to true (e.g. "GLOBALS" or "_SERVER" in global scope, or "b" in any scope), even when $b is not equal to $a.
PleaseStand
2

CPython: 6

a is b

>>> a = 'string'
>>> b = 'string'
>>> c = 'STRING'
>>> a is b
True
>>> a is c
False

The use of is is obviously pretty suspect, but since the task specifically calls out that we're to determine value equality rather than reference equality, and is only compares object identity, I feel like it may not fall under the list of banned operators.

Of course there's also some question as to whether this is even valid; it works on all of my systems, but it's implementation-specific and probably won't always work if the strings aren't defined by hand in the interactive interpreter.

Henry Keiter
quelle
2

Mathematica / Wolfram Language, 15 bytes

2 - Length[{a} ∪ {b}]

Pretty self explanatory, sets each string as a set, then checks the length of the union of the two sets. If the strings are the same, returns 1, otherwise returns 0. If I'm allowed to return '2' for "different" and '1' for "same", subtract two bytes.

Michael Stern
quelle
2

C 342 golfed

#include <stdio.h>
#define N 100
#define P(x) printf("%s\n",x)
#define G(x) gets(x)
void e(int x){x?P("y"):P("n");}
int main(){
char s[N],t[N];char *p,*q;int r=0; int n=0,m=0;int i=1;p=s,q=t;
if((p=G(s))&&(q=G(t))){while (*p){n+=i*(int)*p;m+=i*(int)*q;i++;p++;q++;if(!(*q)){break;}}
if(!*p&!*q){if(!(m-n)){r=1;}}e(r);}
return 0;
}

Note: Visual Studio complains if you don't use their safe methods eg gets_s. CodeBlocks with mingw compiles without warnings.

C 655 not golfed

Code creates weighted sum of chars for each string. If the difference is zero then they are equal, including 2 empty strings:

    #include <stdio.h>
#define N 100
#define P(x) printf(x)
#define G(x) gets_s(x)

void e(int x){ x ? P("equal\n") : P("not equal\n"); }
int main()
{
    char s[N], t[N];//words
    char *p = 0, *q = 0;
    int r = 0; //result 0=false
    int n=0, m=0; //weighted sums
    int i = 1; //char pos start at 1
    if ((p=gets_s(s)) &&
        (q=gets_s(t)))
    {
        while (*p)
        {
            n += i*(int)*p;
            m += i*(int)*q;
            i++;
            p++;
            q++;
            if (!(*q)){
                break;
            }
        }

        if (!*p && !*q){ //both same length strings
            if (!(m - n)){ r = 1; } //weighted sums are equal           
        }//else r=0, false=>not equal

        e(r);
    }
    else{
        P("error\n");
    }
    getchar();
}
bacchusbeale
quelle
Nice job, but you should probably golf it.
Hosch250
I can't compile your submission. I get "Undefined symbols for architecture x86_64: "_gets_s", referenced from: _main in golf-310cf2.o ld: symbol(s) not found for architecture x86_64"
Stephen Melvin
2

Python

It's long and it's not beautiful, but this is my first entry!

def is_equal(a,b):
    i=0
    a,b=list(a),list(b)
    if len(a)>len(b):
        c=a
        lst=b
    else:
        c=b
        lst=a
    try:
        while i<len(c):
            for j in c:
                if j not in lst[i]:
                    return False
                i+=1
    except IndexError:
        return False
    return True
yung galbanum
quelle
2

PHP, 68 Bytes

I assume you're prohibited to use any comparison operators. So < or > are included.

The idea is to use bitwise XOR. In different languages this operator has different syntax - I'll show an example for PHP. There it's available with ^. Unfortunately, its behavior with strings isn't as good as it could be, so you'll need to check string length before. That is because in PHP, xor will strip the longer string down to the length of the shorter string.

Next thing is to work with strings properly, because a single xor will not produce a result, available for further operations in PHP. That's why unpack() was used. So, the code would be:

return !(strlen($a)^strlen($b)) & !array_filter(unpack('c*', $a^$b))

It's longer than option with < / > but it won't use them. Also, the important thing is about PHP type juggling (so empty array will be cast to false). Or maybe there's a simpler way to check if an array contain non-zero members (Edit: while I've been typing this, there's a good catch with trim() in another answer, so we can get rid of array operations)

But I believe there are languages, where we can do just a ^ b - literally, getting the result. If it's 0 (treated from all resulted bytes) - then our strings are equal. It's very easy and even more simple than < or > stuff.

Alma Do
quelle
1

grep 14 characters

Of course, I only count the grep code; the two strings are on two consecutive lines in the input (either a pipe or a file or even an interactive session).

$ echo -e 'string\nstring' | grep -cPzo "(?s)^(\N*).\1$"
1
$ echo -e 'string\nstring1' | grep -cPzo "(?s)^(\N*).\1$"
0
$ echo -e 'string1\nstring' | grep -cPzo "(?s)^(\N*).\1$"
0
Thomas Baruchel
quelle
1

Matlab: 12 chars (after the strings are in variables)

~(x*x'-y*y')

The code including assignments would be:

x='string1'
y='string2'
~(x*x'-y*y')
Dennis Jaheruddin
quelle
1

The very crazy way

Just for the fun, but many ways for making it fail if one thinks about it. More over, don't forget the strings will be EXECUTED by the shell.

$ echo -e 'string\nstring1' | sed -e '1s/^/#define /' | cpp | sh 2>/dev/null && echo true
$ echo -e 'string\nstring' | sed -e '1s/^/#define /' | cpp | sh 2>/dev/null && echo true
true
$ echo -e 'string1\nstring' | sed -e '1s/^/#define /' | cpp | sh 2>/dev/null && echo true

A good counter-example is comparing "string" as first string and "rm -Rf /" as a second string; just check as root and see: it will say "true" though both strings obviously aren't the same.

Thomas Baruchel
quelle
1

JavaScript [18 bytes]

(_={})[a]=1,!!_[b]

OR

!!((_={})[a]=_)[b]

This will return true if a == b and false if a =/= b. The logic behind is creating an object with a value of a as a property and returning 1 or undefined in case if a property of b value exists or doesn't exist in that object.

VisioN
quelle
The rules say you're allowed to return an object that evaluates to true or false, so the !! is not necessary
James_pic
@James_pic Yeah, but otherwise it will return 1 or undefined (or object/undefined for the second case).
VisioN
I interpreted the rules as saying that truth-y and false-y values would do in place of true and false, so I'd think that 1 or undefined were good enough.
James_pic
@James_pic I just wanted to be on the safe side :) If so, then 18-2 = 16 bytes.
VisioN
1

JavaScript [15 bytes]

![a].indexOf(b)

This will return true if a == b and false if a =/= b. The script is looking for the value of b in the array that holds a single element of value of a.

VisioN
quelle
1

C - 86 83

main(int i,char**v){return*v[1]&!(*v[1]++^*v[2]++)?main(3,v):!(*--v[1]^*--v[2]);}

Obvioulsy not the shortest, but this doesn't work with string variables and instead takes the strings as input from the console. Also, I sort of like the recursive main, even if it's obviously not the shortest version. But certainly the least advisable.

SBI
quelle
You don't need spaces around many operators. For example, char** v can be written as char**v. There are some exceptions (like 42 / *pointer), but in most cases spaces can be safely removed near special characters.
Konrad Borowski
And an apersand too much. Not on top today.
SBI