2

我一直在玩Jaxer,虽然这个概念很酷,但我不知道如何定义在客户端和服务器上都可用的对象。我能找到的例子都没有定义对象。

我希望能够定义一个对象并指定哪些方法在服务器上可用,哪些在客户端可用,哪些在客户端可用但在服务器上执行(服务器代理)。 这可以在不使用具有不同属性的三个单独<script的 > 标记的情况下完成吗?runat如果可能的话,我希望能够在同一个 js 文件中定义我的所有方法,并且用三个单独的标签在 html 中内联定义我的对象是不切实际的......

基本上我希望能够在一个 js 文件中做到这一点:

function Person(name) {
    this.name = name || 'default';
}
Person.runat = 'both';

Person.clientStaticMethod = function () {
    log('client static method');
}
Person.clientStaticMethod.runat = 'client';

Person.serverStaticMethod = function() {
    log('server static method');
}
Person.serverStaticMethod.runat = 'server';

Person.proxyStaticMethod = function() {
    log('proxy static method');
}
Person.proxyStaticMethod.runat = 'server-proxy';

Person.prototype.clientMethod = function() {
    log('client method');
};
Person.prototype.clientMethod.runat = 'client';

Person.prototype.serverMethod = function() {
    log('server method');
};
Person.prototype.serverMethod.runat = 'server';

Person.prototype.proxyMethod = function() {
    log('proxy method');
}
Person.prototype.proxyMethod.runat = 'server-proxy';

另外,假设我能够做到这一点,我将如何正确地将其包含到 html 页面中?

4

1 回答 1

2

我在 Aptana 论坛(网络上不再存在)上发现了一篇帖子,指出只能代理全局函数……真是太糟糕了。

<script>但是,我一直在玩,您可以通过将代码放在包含文件中并使用带有runat属性的标签来控制客户端和服务器上可用的方法。

例如,我可以创建这个名为Person.js.inc

<script runat="both">

    function Person(name) {
        this.name = name || 'default';
    }

</script>

<script runat="server">

    Person.prototype.serverMethod = function() {
        return 'server method (' + this.name + ')';
    };

    Person.serverStaticMethod = function(person) {
        return 'server static method (' + person.name + ')';
    }

    // This is a proxied function.  It will be available on the server and
    // a proxy function will be set up on the client.  Note that it must be 
    // declared globally.
    function SavePerson(person) {
        return 'proxied method (' + person.name + ')';
    }
    SavePerson.proxy = true;

</script>

<script runat="client">

    Person.prototype.clientMethod = function() {
        return 'client method (' + this.name + ')';
    };

    Person.clientStaticMethod = function (person) {
        return 'client static method (' + person.name + ')';
    }

</script>

我可以使用以下方法将其包含在页面中:

<jaxer:include src="People.js.inc"></jaxer:include>

不幸的是,使用这种方法,我失去了浏览器缓存客户端脚本的优势,因为所有脚本都被内联了。我能找到避免该问题的唯一技术是将客户端方法、服务器方法和共享方法拆分为它们自己的 js 文件:

<script src="Person.shared.js" runat="both" autoload="true"></script>
<script src="Person.server.js" runat="server" autoload="true"></script>
<script src="Person.client.js" runat="client"></script>

而且,在这一点上,我不妨将代理函数也拆分到它们自己的文件中......

<script src="Person.proxies.js" runat="server-proxy"></script>

请注意,我autoload="true"在共享脚本和服务器脚本上使用了它们,以便它们可用于代理函数。

于 2008-09-21T04:25:24.560 回答