Answers:
如果您的Web服务器支持WebSockets(或WebSocket处理程序模块),则可以使用相同的主机和端口,并只需更改显示的方案即可。有很多选项可以同时运行Web服务器和Websocket服务器/模块。
我建议您查看一下window.location全局的各个部分,然后将它们重新结合在一起,而不要进行盲目字符串替换。
var loc = window.location, new_uri;
if (loc.protocol === "https:") {
new_uri = "wss:";
} else {
new_uri = "ws:";
}
new_uri += "//" + loc.host;
new_uri += loc.pathname + "/to/ws";
请注意,某些Web服务器(即基于Jetty的服务器)当前使用路径(而不是升级头)来确定是否应将特定请求传递给WebSocket处理程序。因此,您是否可以按照所需的方式转换路径可能会受到限制。
"/to/ws"
吗?如果没有,那部分的价值是多少?
这是我的版本,如果不是80或443,则会添加tcp端口:
function url(s) {
var l = window.location;
return ((l.protocol === "https:") ? "wss://" : "ws://") + l.hostname + (((l.port != 80) && (l.port != 443)) ? ":" + l.port : "") + l.pathname + s;
}
编辑1:通过@kanaka的建议改进的版本:
function url(s) {
var l = window.location;
return ((l.protocol === "https:") ? "wss://" : "ws://") + l.host + l.pathname + s;
}
编辑2:现在我创建WebSocket
此:
var s = new WebSocket(((window.location.protocol === "https:") ? "wss://" : "ws://") + window.location.host + "/ws");
使用Window.URL API- https://developer.mozilla.org/en-US/docs/Web/API/Window/URL
可与http,端口等配合使用。
var url = new URL('/path/to/websocket', window.location.href);
url.protocol = url.protocol.replace('http', 'ws');
url.href // => ws://www.example.com:9999/path/to/websocket
假设您的WebSocket服务器正在侦听与请求页面所使用的端口相同的端口,我建议:
function createWebSocket(path) {
var protocolPrefix = (window.location.protocol === 'https:') ? 'wss:' : 'ws:';
return new WebSocket(protocolPrefix + '//' + location.host + path);
}
然后,针对您的情况,按如下方式调用它:
var socket = createWebSocket(location.pathname + '/to/ws');
简单:
location.href.replace(/^http/, 'ws') + '/to/ws'
// or if you hate regexp:
location.href.replace('http://', 'ws://').replace('https://', 'wss://') + '/to/ws'
/^http/
来代替,'http'
以防万一http
是在URL栏内。
在本地主机上,您应该考虑上下文路径。
function wsURL(path) {
var protocol = (location.protocol === 'https:') ? 'wss://' : 'ws://';
var url = protocol + location.host;
if(location.hostname === 'localhost') {
url += '/' + location.pathname.split('/')[1]; // add context path
}
return url + path;
}
在打字稿中:
export class WebsocketUtils {
public static websocketUrlByPath(path) {
return this.websocketProtocolByLocation() +
window.location.hostname +
this.websocketPortWithColonByLocation() +
window.location.pathname +
path;
}
private static websocketProtocolByLocation() {
return window.location.protocol === "https:" ? "wss://" : "ws://";
}
private static websocketPortWithColonByLocation() {
const defaultPort = window.location.protocol === "https:" ? "443" : "80";
if (window.location.port !== defaultPort) {
return ":" + window.location.port;
} else {
return "";
}
}
}
用法:
alert(WebsocketUtils.websocketUrlByPath("/websocket"));
path/to/ws
?这到底在哪里?谢谢