There are several things wrong here. First, you should not be getting a 404, you should be getting an error complaining that $resp is not defined.
I think you are probably missing a .htaccess (or web.config if you are on IIS) that is routing all requests to your front controller file (where you define your Slim object and routes). To see if this is the problem, try http://website.com/index.php/test?callback=whatever, where index.php is the name of your front controller file.
This is the .htaccess that I use:
RewriteEngine On
#Slim PHP routing
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_URI} !^/index.php
RewriteRule ^ index.php [QSA,NC,L]
As for trying to achieve what you want to achieve, you need something like this:
$app = new Slim\Slim();
$app->get('/test', function () use($app) {
//Request processing begins here...
//Get callback from query string
$callback = $app->request()->get('callback');
//Check for null here...
//Set content type to javascript
header('Content-type: text/javascript');
//Generate our JSONP output
echo "$callback(" . json_encode(array('This is a test.')) . ");";
//Request processing ends here...
});
$app->run();
I'm not 100% familiar with Zend, but I think it uses a more traditional MVC implementation where you have a Controller class that you extend and implement actions as methods. Slim is much more basic than that, instead you define routes on your app objects and map these to closures, which are executed when their route is hit.
In my example above, I define a closure for the route '/test'. Closures in PHP have no access by default to other variables in their scope. In order to access a variable outside of the closure scope we must explicitly specific the variables we want via the "use" keyword. In the example, I "use" the $app object, so that we can use the app object inside our closure. This is the basis for the majority of the functionality Slim provides. The $app object is the IOC object, the core where everything lives and should be used to expose service objects, etc. In this case, we are using the request() method that returns us a wrapper around the request related superglobals ($_GET, $_POST, etc).
Once we have our callback parameter, we can validate, and then generate and send our JSONP. Slim does not abstract (as far as I know) send data back down the response, you should just use echo as in vanilla PHP. You should also set the header type to javascript since that is what we are sending. Hope this helps.